diff --git a/erpnext/__init__.py b/erpnext/__init__.py index 5a368384e6..2228057ca1 100644 --- a/erpnext/__init__.py +++ b/erpnext/__init__.py @@ -2,7 +2,7 @@ from __future__ import unicode_literals import frappe -__version__ = '8.3.6' +__version__ = '8.4.0' def get_default_company(user=None): '''Get default company for user''' diff --git a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py index 71897d4b0c..a701024baf 100644 --- a/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/pricing_rule.py @@ -185,7 +185,7 @@ def get_pricing_rule_for_item(args): "discount_percentage": 0.0 }) else: - item_details.discount_percentage = pricing_rule.discount_percentage + item_details.discount_percentage = pricing_rule.discount_percentage or args.discount_percentage elif args.get('pricing_rule'): item_details = remove_pricing_rule_for_item(args.get("pricing_rule"), item_details) diff --git a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py index 31b1d469cc..82a3d653ab 100644 --- a/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py +++ b/erpnext/accounts/doctype/pricing_rule/test_pricing_rule.py @@ -6,6 +6,7 @@ from __future__ import unicode_literals import unittest import frappe from erpnext.selling.doctype.sales_order.test_sales_order import make_sales_order +from erpnext.accounts.doctype.sales_invoice.test_sales_invoice import create_sales_invoice from erpnext.stock.get_item_details import get_item_details from frappe import MandatoryError @@ -248,4 +249,51 @@ class TestPricingRule(unittest.TestCase): so.submit() so = frappe.get_doc('Sales Order', so.name) self.assertEquals(so.items[0].discount_percentage, 0) - self.assertEquals(so.items[0].rate, 100) \ No newline at end of file + self.assertEquals(so.items[0].rate, 100) + + def test_pricing_rule_with_margin_and_discount(self): + make_pricing_rule(selling=1, margin_type="Percentage", margin_rate_or_amount=10) + si = create_sales_invoice(do_not_save=True) + si.items[0].price_list_rate = 1000 + si.insert(ignore_permissions=True) + + item = si.items[0] + self.assertEquals(item.rate, 1100) + self.assertEquals(item.margin_rate_or_amount, 10) + + # With discount + item.discount_percentage = 10 + si.save() + item = si.items[0] + self.assertEquals(item.rate, 990) + self.assertEquals(item.discount_percentage, 10) + frappe.db.sql("delete from `tabPricing Rule`") + +def make_pricing_rule(**args): + args = frappe._dict(args) + + doc = frappe.get_doc({ + "doctype": "Pricing Rule", + "title": args.title or "_Test Pricing Rule", + "company": args.company or "_Test Company", + "apply_on": args.apply_on or "Item Code", + "item_code": args.item_code or "_Test Item", + "applicable_for": args.applicable_for, + "selling": args.selling or 0, + "buying": args.buying or 0, + "min_qty": args.min_qty or 0.0, + "max_qty": args.max_qty or 0.0, + "price_or_discount": args.price_or_discount or "Discount Percentage", + "discount_percentage": args.discount_percentage or 0.0, + "price": args.price or 0.0, + "margin_type": args.margin_type, + "margin_rate_or_amount": args.margin_rate_or_amount or 0.0 + }).insert(ignore_permissions=True) + + apply_on = doc.apply_on.replace(' ', '_').lower() + if args.get(apply_on) and apply_on != "item_code": + doc.db_set(apply_on, args.get(apply_on)) + + applicable_for = doc.applicable_for.replace(' ', '_').lower() + if args.get(applicable_for): + doc.db_set(applicable_for, args.get(applicable_for)) \ No newline at end of file diff --git a/erpnext/accounts/page/pos/pos.js b/erpnext/accounts/page/pos/pos.js index 02d54281cc..506427e240 100644 --- a/erpnext/accounts/page/pos/pos.js +++ b/erpnext/accounts/page/pos/pos.js @@ -1078,7 +1078,7 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ } else if (item.barcode == me.serach_item.$input.val()) { search_status = false; return item.barcode == me.serach_item.$input.val(); - } else if (reg.test(item.item_code.toLowerCase()) || reg.test(item.description.toLowerCase()) || + } else if (reg.test(item.item_code.toLowerCase()) || (item.description && reg.test(item.description.toLowerCase())) || reg.test(item.item_name.toLowerCase()) || reg.test(item.item_group.toLowerCase())) { return true } @@ -1351,7 +1351,7 @@ erpnext.pos.PointOfSale = erpnext.taxes_and_totals.extend({ this.child.item_name = this.items[0].item_name; this.child.stock_uom = this.items[0].stock_uom; this.child.brand = this.items[0].brand; - this.child.description = this.items[0].description; + this.child.description = this.items[0].description || this.items[0].item_name; this.child.discount_percentage = 0.0; this.child.qty = 1; this.child.item_group = this.items[0].item_group; diff --git a/erpnext/accounts/party.py b/erpnext/accounts/party.py index 355803bd55..bf509de84f 100644 --- a/erpnext/accounts/party.py +++ b/erpnext/accounts/party.py @@ -8,9 +8,10 @@ import datetime from frappe import _, msgprint, scrub from frappe.defaults import get_user_permissions from frappe.model.utils import get_fetch_values -from frappe.utils import add_days, getdate, formatdate, get_first_day, date_diff, \ - add_years, get_timestamp, nowdate, flt -from frappe.contacts.doctype.address.address import get_address_display, get_default_address +from frappe.utils import (add_days, getdate, formatdate, get_first_day, date_diff, + add_years, get_timestamp, nowdate, flt) +from frappe.contacts.doctype.address.address import (get_address_display, + get_default_address, get_company_address) from frappe.contacts.doctype.contact.contact import get_contact_details, get_default_contact from erpnext.exceptions import PartyFrozen, PartyDisabled, InvalidAccountCurrency from erpnext.accounts.utils import get_fiscal_year @@ -77,8 +78,9 @@ def set_address_details(out, party, party_type, doctype=None, company=None): out.update(get_fetch_values(doctype, 'shipping_address_name', out.shipping_address_name)) if doctype and doctype in ['Sales Invoice']: - out.company_address = get_default_address('Company', company) - out.update(get_fetch_values(doctype, 'company_address', out.company_address)) + out.update(get_company_address(company)) + if out.company_address: + out.update(get_fetch_values(doctype, 'company_address', out.company_address)) def set_contact_details(out, party, party_type): out.contact_person = get_default_contact(party_type, party.name) diff --git a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json index 622e630713..62da50589e 100644 --- a/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json +++ b/erpnext/buying/doctype/supplier_quotation_item/supplier_quotation_item.json @@ -1,5 +1,6 @@ { "allow_copy": 0, + "allow_guest_to_view": 0, "allow_import": 0, "allow_rename": 0, "autoname": "hash", @@ -13,6 +14,7 @@ "engine": "InnoDB", "fields": [ { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, "collapsible": 0, @@ -44,6 +46,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -73,34 +76,7 @@ "unique": 0 }, { - "allow_on_submit": 0, - "bold": 0, - "collapsible": 0, - "columns": 0, - "fieldname": "column_break_3", - "fieldtype": "Column Break", - "hidden": 0, - "ignore_user_permissions": 0, - "ignore_xss_filter": 0, - "in_filter": 0, - "in_global_search": 0, - "in_list_view": 0, - "in_standard_filter": 0, - "length": 0, - "no_copy": 0, - "permlevel": 0, - "precision": "", - "print_hide": 0, - "print_hide_if_no_value": 0, - "read_only": 0, - "remember_last_selected_value": 0, - "report_hide": 0, - "reqd": 0, - "search_index": 0, - "set_only_once": 0, - "unique": 0 - }, - { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -131,6 +107,66 @@ "unique": 0 }, { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "column_break_3", + "fieldtype": "Column Break", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, + "allow_on_submit": 0, + "bold": 0, + "collapsible": 0, + "columns": 0, + "fieldname": "lead_time_days", + "fieldtype": "Int", + "hidden": 0, + "ignore_user_permissions": 0, + "ignore_xss_filter": 0, + "in_filter": 0, + "in_global_search": 0, + "in_list_view": 0, + "in_standard_filter": 0, + "label": "Lead Time in days", + "length": 0, + "no_copy": 0, + "permlevel": 0, + "precision": "", + "print_hide": 0, + "print_hide_if_no_value": 0, + "read_only": 0, + "remember_last_selected_value": 0, + "report_hide": 0, + "reqd": 0, + "search_index": 0, + "set_only_once": 0, + "unique": 0 + }, + { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 1, @@ -160,6 +196,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -192,6 +229,7 @@ "width": "300px" }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -219,6 +257,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -248,6 +287,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -278,6 +318,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -306,6 +347,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, "collapsible": 0, @@ -338,6 +380,7 @@ "width": "60px" }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -368,6 +411,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -397,6 +441,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -426,6 +471,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -453,6 +499,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -486,6 +533,7 @@ "width": "100px" }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -515,6 +563,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -544,6 +593,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -571,6 +621,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 1, "collapsible": 0, @@ -602,6 +653,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -633,6 +685,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -660,6 +713,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -694,6 +748,7 @@ "width": "100px" }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -725,6 +780,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -754,6 +810,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -782,6 +839,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -811,6 +869,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -841,6 +900,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -869,6 +929,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -899,6 +960,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -929,6 +991,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -957,6 +1020,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -988,6 +1052,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1017,6 +1082,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1047,6 +1113,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1080,6 +1147,7 @@ "width": "120px" }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1110,6 +1178,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1137,6 +1206,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1167,6 +1237,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1196,6 +1267,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1227,6 +1299,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1259,6 +1332,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1290,6 +1364,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1318,6 +1393,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 0, "bold": 0, "collapsible": 0, @@ -1347,6 +1423,7 @@ "unique": 0 }, { + "allow_bulk_edit": 0, "allow_on_submit": 1, "bold": 0, "collapsible": 0, @@ -1377,17 +1454,17 @@ "unique": 0 } ], + "has_web_view": 0, "hide_heading": 0, "hide_toolbar": 0, "idx": 1, "image_view": 0, "in_create": 0, - "in_dialog": 0, "is_submittable": 0, "issingle": 0, "istable": 1, "max_attachments": 0, - "modified": "2017-02-17 16:43:59.582188", + "modified": "2017-07-10 09:08:52.015387", "modified_by": "Administrator", "module": "Buying", "name": "Supplier Quotation Item", diff --git a/erpnext/controllers/taxes_and_totals.py b/erpnext/controllers/taxes_and_totals.py index 72785da563..8b96152bb2 100644 --- a/erpnext/controllers/taxes_and_totals.py +++ b/erpnext/controllers/taxes_and_totals.py @@ -559,7 +559,7 @@ class calculate_taxes_and_totals(object): item_tax[item_code][tax.name] = [tax_rate, tax_amount] else: - item_tax[item_code][tax.name] = [cstr(flt(tax_data, tax_rate_precision)) + "%", ""] + item_tax[item_code][tax.name] = [cstr(flt(tax_data, tax_rate_precision)) + "%", "0.00"] tax_accounts.append([tax.name, tax.account_head]) return item_tax, tax_accounts diff --git a/erpnext/crm/doctype/opportunity/opportunity.py b/erpnext/crm/doctype/opportunity/opportunity.py index 58f26fe546..93a294174d 100644 --- a/erpnext/crm/doctype/opportunity/opportunity.py +++ b/erpnext/crm/doctype/opportunity/opportunity.py @@ -272,4 +272,6 @@ def auto_close_opportunity(): for opportunity in opportunities: doc = frappe.get_doc("Opportunity", opportunity.get("name")) doc.status = "Closed" - doc.save(ignore_permissions=True) \ No newline at end of file + doc.flags.ignore_permissions = True + doc.flags.ignore_mandatory = True + doc.save() \ No newline at end of file diff --git a/erpnext/docs/license.html b/erpnext/docs/license.html index 1d50b78b30..4740c5c145 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/videos/learn/navigation.md b/erpnext/docs/user/videos/learn/navigation.md
index 609994087d..cb280fce36 100644
--- a/erpnext/docs/user/videos/learn/navigation.md
+++ b/erpnext/docs/user/videos/learn/navigation.md
@@ -1,7 +1,7 @@
 # User Interface and Navigation
 
-
+
 
-**Duration: 2:17**
+**Duration: 2:41**
 
 This video walks you through using the ERPNext "Desk" interface. The ERPNext User Interface is very web friendly and if you have used a website or mobile app before, the navigation should be very intuitive.
diff --git a/erpnext/manufacturing/doctype/production_order/production_order.js b/erpnext/manufacturing/doctype/production_order/production_order.js
index f6d9eafdab..657819a0b0 100644
--- a/erpnext/manufacturing/doctype/production_order/production_order.js
+++ b/erpnext/manufacturing/doctype/production_order/production_order.js
@@ -212,7 +212,9 @@ frappe.ui.form.on("Production Order", {
 frappe.ui.form.on("Production Order Item", {
 	source_warehouse: function(frm, cdt, cdn) {
 		var row = locals[cdt][cdn];
-		if(row.source_warehouse) {
+		if(!row.item_code) {
+			frappe.throw(__("Please set the Item Code first"));
+		} else if(row.source_warehouse) {
 			frappe.call({
 				"method": "erpnext.stock.utils.get_latest_stock_qty",
 				args: {
diff --git a/erpnext/patches.txt b/erpnext/patches.txt
index d83363852c..8991c36342 100644
--- a/erpnext/patches.txt
+++ b/erpnext/patches.txt
@@ -406,7 +406,6 @@ erpnext.patches.v8_0.change_in_words_varchar_length
 erpnext.patches.v8_0.update_stock_qty_value_in_bom_item
 erpnext.patches.v8_0.create_domain_docs	#16-05-2017
 erpnext.patches.v8_0.update_sales_cost_in_project
-erpnext.patches.v8_0.create_address_doc_from_address_field_in_company #10-05-2017
 erpnext.patches.v8_0.save_system_settings
 erpnext.patches.v8_1.delete_deprecated_reports
 erpnext.patches.v8_1.setup_gst_india #2017-06-27
@@ -415,4 +414,6 @@ erpnext.patches.v8_1.removed_roles_from_gst_report_non_indian_account
 erpnext.patches.v8_1.gst_fixes #2017-07-06
 erpnext.patches.v8_0.update_production_orders
 erpnext.patches.v8_1.remove_sales_invoice_from_returned_serial_no
-erpnext.patches.v8_1.allow_invoice_copy_to_edit_after_submit
\ No newline at end of file
+erpnext.patches.v8_1.allow_invoice_copy_to_edit_after_submit
+erpnext.patches.v8_1.update_gst_state
+erpnext.patches.v8_1.add_hsn_sac_codes
\ No newline at end of file
diff --git a/erpnext/patches/v7_0/create_warehouse_nestedset.py b/erpnext/patches/v7_0/create_warehouse_nestedset.py
index dbf1241ca8..ca47ac5bf5 100644
--- a/erpnext/patches/v7_0/create_warehouse_nestedset.py
+++ b/erpnext/patches/v7_0/create_warehouse_nestedset.py
@@ -51,7 +51,7 @@ def check_is_warehouse_associated_with_company():
 def make_warehouse_nestedset(company=None):
 	validate_parent_account_for_warehouse(company)
 	stock_account_group = get_stock_account_group(company.name)
-	enable_perpetual_inventory = cint(erpnext.is_perpetual_inventory_enabled(company)) or 0
+	enable_perpetual_inventory = cint(erpnext.is_perpetual_inventory_enabled(company.name)) or 0
 	if not stock_account_group and enable_perpetual_inventory:
 		return
 
diff --git a/erpnext/patches/v8_1/add_hsn_sac_codes.py b/erpnext/patches/v8_1/add_hsn_sac_codes.py
new file mode 100644
index 0000000000..0b54f15d3b
--- /dev/null
+++ b/erpnext/patches/v8_1/add_hsn_sac_codes.py
@@ -0,0 +1,10 @@
+import frappe
+from erpnext.regional.india.setup import setup
+
+def execute():
+	company = frappe.get_all('Company', filters = {'country': 'India'})
+	if not company:
+		return
+
+	# call setup for india
+	setup(patch=True)
\ No newline at end of file
diff --git a/erpnext/patches/v8_1/update_gst_state.py b/erpnext/patches/v8_1/update_gst_state.py
new file mode 100644
index 0000000000..2bbb6b8a8e
--- /dev/null
+++ b/erpnext/patches/v8_1/update_gst_state.py
@@ -0,0 +1,6 @@
+import frappe
+from erpnext.regional.india import states
+
+def execute():
+	frappe.db.sql("update `tabCustom Field` set options=%s where fieldname='gst_state'", '\n'.join(states))
+	frappe.db.sql("update `tabAddress` set gst_state='Chhattisgarh' where gst_state='Chattisgarh'")
diff --git a/erpnext/public/js/controllers/accounts.js b/erpnext/public/js/controllers/accounts.js
index aefc212018..19ef162f3d 100644
--- a/erpnext/public/js/controllers/accounts.js
+++ b/erpnext/public/js/controllers/accounts.js
@@ -89,7 +89,11 @@ frappe.ui.form.on('Salary Structure', {
 	}
 })
 
-var get_payment_mode_account = function(frm, mode_of_payment, callback){
+var get_payment_mode_account = function(frm, mode_of_payment, callback) {
+	if(!frm.doc.company) {
+		frappe.throw(__("Please select the Company first"));
+	}
+
 	return  frappe.call({
 		method: "erpnext.accounts.doctype.sales_invoice.sales_invoice.get_bank_cash_account",
 		args: {
diff --git a/erpnext/public/js/controllers/taxes_and_totals.js b/erpnext/public/js/controllers/taxes_and_totals.js
index e09925d059..837097b490 100644
--- a/erpnext/public/js/controllers/taxes_and_totals.js
+++ b/erpnext/public/js/controllers/taxes_and_totals.js
@@ -675,7 +675,7 @@ erpnext.taxes_and_totals = erpnext.payments.extend({
 
 						item_tax[item_code][tax.name] = [tax_rate, tax_amount];
 					} else {
-						item_tax[item_code][tax.name] = [flt(tax_data, tax_rate_precision) + "%", ""];
+						item_tax[item_code][tax.name] = [flt(tax_data, tax_rate_precision) + "%", "0.00"];
 					}
 				});
 			tax_accounts.push([tax.name, tax.account_head]);
diff --git a/erpnext/public/js/controllers/transaction.js b/erpnext/public/js/controllers/transaction.js
index fd91227cb6..9ed1de22f7 100644
--- a/erpnext/public/js/controllers/transaction.js
+++ b/erpnext/public/js/controllers/transaction.js
@@ -338,7 +338,7 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({
 				this.frm.trigger("item_code", cdt, cdn);
 			}
 			else {
-				var sr_no = [];
+				var valid_serial_nos = [];
 
 				// Replacing all occurences of comma with carriage return
 				var serial_nos = item.serial_no.trim().replace(/,/g, '\n');
@@ -347,21 +347,19 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({
 
 				// Trim each string and push unique string to new list
 				for (var x=0; x<=serial_nos.length - 1; x++) {
-					if (serial_nos[x].trim() != "" && sr_no.indexOf(serial_nos[x].trim()) == -1) {
-						sr_no.push(serial_nos[x].trim());
+					if (serial_nos[x].trim() != "" && valid_serial_nos.indexOf(serial_nos[x].trim()) == -1) {
+						valid_serial_nos.push(serial_nos[x].trim());
 					}
 				}
 
 				// Add the new list to the serial no. field in grid with each in new line
-				item.serial_no = "";
-				for (var x=0; x<=sr_no.length - 1; x++)
-					item.serial_no += sr_no[x] + '\n';
+				item.serial_no = valid_serial_nos.join('\n');
 
 				refresh_field("serial_no", item.name, item.parentfield);
 				if(!doc.is_return) {
 					frappe.model.set_value(item.doctype, item.name,
-						"qty", sr_no.length / item.conversion_factor);
-					frappe.model.set_value(item.doctype, item.name, "stock_qty", sr_no.length);
+						"qty", valid_serial_nos.length / item.conversion_factor);
+					frappe.model.set_value(item.doctype, item.name, "stock_qty", valid_serial_nos.length);
 				}
 			}
 		}
@@ -861,6 +859,7 @@ erpnext.TransactionController = erpnext.taxes_and_totals.extend({
 					"pricing_rule": d.pricing_rule,
 					"warehouse": d.warehouse,
 					"serial_no": d.serial_no,
+					"discount_percentage": d.discount_percentage || 0.0,
 					"conversion_factor": d.conversion_factor || 1.0
 				});
 
diff --git a/erpnext/public/js/utils/serial_no_batch_selector.js b/erpnext/public/js/utils/serial_no_batch_selector.js
index fdab8320e3..c7a2f77282 100644
--- a/erpnext/public/js/utils/serial_no_batch_selector.js
+++ b/erpnext/public/js/utils/serial_no_batch_selector.js
@@ -50,6 +50,14 @@ erpnext.SerialNoBatchSelector = Class.extend({
 						batches.grid.refresh();
 						batches.grid.add_new_row(null, null, null);
 					}
+				},
+				get_query: function() {
+					return {
+						filters: {
+							is_group: 0,
+							company: me.frm.doc.company
+						}
+					};
 				}
 			},
 			{fieldtype:'Column Break'},
diff --git a/erpnext/regional/india/__init__.py b/erpnext/regional/india/__init__.py
index 9a6c376cca..4a9a211b41 100644
--- a/erpnext/regional/india/__init__.py
+++ b/erpnext/regional/india/__init__.py
@@ -1,11 +1,12 @@
 states = [
  '',
+ 'Andaman and Nicobar Islands',
  'Andhra Pradesh',
  'Arunachal Pradesh',
  'Assam',
  'Bihar',
  'Chandigarh',
- 'Chattisgarh',
+ 'Chhattisgarh',
  'Dadra and Nagar Haveli',
  'Daman and Diu',
  'Delhi',
@@ -25,6 +26,7 @@ states = [
  'Mizoram',
  'Nagaland',
  'Odisha',
+ 'Other Territory',
  'Pondicherry',
  'Punjab',
  'Rajasthan',
@@ -38,12 +40,13 @@ states = [
 ]
 
 state_numbers = {
+ "Andaman and Nicobar Islands": "35",
  "Andhra Pradesh": "37",
  "Arunachal Pradesh": "12",
  "Assam": "18",
  "Bihar": "10",
  "Chandigarh": "04",
- "Chattisgarh": "22",
+ "Chhattisgarh": "22",
  "Dadra and Nagar Haveli": "26",
  "Daman and Diu": "25",
  "Delhi": "07",
@@ -63,6 +66,7 @@ state_numbers = {
  "Mizoram": "15",
  "Nagaland": "13",
  "Odisha": "21",
+ "Other Territory": "98",
  "Pondicherry": "34",
  "Punjab": "03",
  "Rajasthan": "08",
@@ -70,7 +74,7 @@ state_numbers = {
  "Tamil Nadu": "33",
  "Telangana": "36",
  "Tripura": "16",
- "Uttar Pradesh": "35",
- "Uttarakhand": "36",
- "West Bengal": "19"
+ "Uttar Pradesh": "09",
+ "Uttarakhand": "05",
+ "West Bengal": "19",
 }
\ No newline at end of file
diff --git a/erpnext/regional/india/hsn_code_data.json b/erpnext/regional/india/hsn_code_data.json
index c5cb8c69de..172773b596 100644
--- a/erpnext/regional/india/hsn_code_data.json
+++ b/erpnext/regional/india/hsn_code_data.json
@@ -1,4 +1,4964 @@
 [
+ {
+  "description": "LIVE ANIMALS", 
+  "hsn_code": "01"
+ }, 
+ {
+  "description": "MEAT AND EDIBLE MEAT OFFAL", 
+  "hsn_code": "02"
+ }, 
+ {
+  "description": "FISH AND CRUSTACEANS, MOLLUSCS AND OTHER AQUATIC INVERTEBRATES", 
+  "hsn_code": "03"
+ }, 
+ {
+  "description": "DAIRY PRODUCE; BIRDS’ EGGS; NATURAL HONEY; EDIBLE PRODUCTS OF ANIMAL ORIGIN, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "04"
+ }, 
+ {
+  "description": "ANIMAL ORIGINATED PRODUCTS; NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "05"
+ }, 
+ {
+  "description": "LIVE HORSES, ASSES, MULES AND HINNIES", 
+  "hsn_code": "0101"
+ }, 
+ {
+  "description": "LIVE BOVINE ANIMALS", 
+  "hsn_code": "0102"
+ }, 
+ {
+  "description": "LIVE SWINE", 
+  "hsn_code": "0103"
+ }, 
+ {
+  "description": "LIVE SHEEP AND GOATS", 
+  "hsn_code": "0104"
+ }, 
+ {
+  "description": "LIVE POULTRY, THAT IS TO SAY, FOWLS OF THE SPECIES GALLUS DOMESTICUS, DUCKS, GEESE, TURKEYS AND GUINEA FOWLS", 
+  "hsn_code": "0105"
+ }, 
+ {
+  "description": "OTHER LIVE ANIMALS", 
+  "hsn_code": "0106"
+ }, 
+ {
+  "description": "MEAT OF BOVINE ANIMALS, FRESH AND CHILLED", 
+  "hsn_code": "0201"
+ }, 
+ {
+  "description": "MEAT OF BOVINE ANIMALS, FROZEN", 
+  "hsn_code": "0202"
+ }, 
+ {
+  "description": "MEAT OF SWINE, FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0203"
+ }, 
+ {
+  "description": "MEAT OF SHEEP OR GOATS, FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0204"
+ }, 
+ {
+  "description": "MEAT OF SHEEP OR GOATS, FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0205"
+ }, 
+ {
+  "description": "EDIBLE OFFAL OF BOVINE ANIMALS, SWINE, SHEEP, GOATS, HORSES, ASSES, MULES OR HINNIES, FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0206"
+ }, 
+ {
+  "description": "MEAT AND EDIBLE OFFAL, OF THE POULTRY OF HEADING 0105, FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0207"
+ }, 
+ {
+  "description": "OTHER MEAT AND EDIBLE MEAT OFFAL, FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0208"
+ }, 
+ {
+  "description": "PIG FAT, FREE OF LEAN MEAT AND POULTRY FAT, NOT RENDERED OR OTHERWISE EXTRACTED, FRESH, CHILLED, FROZEN, SALTED, IN BRINE, DRIED OR SMOKED", 
+  "hsn_code": "0209"
+ }, 
+ {
+  "description": "MEAT AND EDIBLE MEAT OFFAL, SALTED, IN BRINE, DRIED OR SMOKED; EDIBLE FLOURS AND MEALS OF MEAT OR MEAT OFFAL", 
+  "hsn_code": "0210"
+ }, 
+ {
+  "description": "LIVE FISH", 
+  "hsn_code": "0301"
+ }, 
+ {
+  "description": "FISH, FRESH OR CHILLED, EXCLUDING FISH FILLETS AND OTHER FISH MEAT OF HEADING 0304", 
+  "hsn_code": "0302"
+ }, 
+ {
+  "description": "FISH, FROZEN, EXCLUDING FISH FILLETS AND OTHER FISH MEAT OF HEADING 0304", 
+  "hsn_code": "0303"
+ }, 
+ {
+  "description": "FISH FILLETS AND OTHER FISH MEAT (WHETHER OR NOT MINCED), FRESH, CHILLED OR FROZEN", 
+  "hsn_code": "0304"
+ }, 
+ {
+  "description": "FISH, DRIED, SALTED OR IN BRINE; SMOKED FISH, WHETHER OR NOT COOKED BEFORE OR DURING THE SMOKING PROCESS; FLOURS, MEALS AND PELLETS, OF FISH FIT FOR HUMAN CONSUMPTION", 
+  "hsn_code": "0305"
+ }, 
+ {
+  "description": "PLANTS AND PARTS OF PLANTS (INCLUDING SEEDS AND FRUITS), OF A KIND USED PRIMARILY IN PERFUMERY, IN PHARMACY OR FOR INSECTICIDAL, FUNGICIDAL OR SIMILAR PURPOSE, FRESH OR DRIED, WHETHER OR NOT CUT, CRUSHED OR POWDERED", 
+  "hsn_code": "0305"
+ }, 
+ {
+  "description": "CRUSTACEANS, WHETHER IN SHELL OR NOT, LIVE, FRESH, CHILLED, FROZEN, DRIED, SALTED OR IN BRINE; SMOKED CRUSTACEANS, WHETHER IN SHELL OR NOT, WHETHER OR NOT COOKED BEFORE OR DURING THE SMOKING PROCESS; CRUSTACEANS, IN SHELL, COOKED BY STEAMING OR BY BOILING IN WATER, WHETHER OR NOT CHILLED, FROZEN, DRIED, SALTED OR IN BRINE; FLOURS, MEALS AND PELLETS OF CRUSTACEANS, FIT FOR HUMAN CONSUMPTION", 
+  "hsn_code": "0306"
+ }, 
+ {
+  "description": "MOLLUSCS, WHETHER IN SHELL OR NOT, LIVE, FRESH, CHILLED, FROZEN, DRIED, SALTED OR IN BRINE; SMOKED MOLLUSCS, WHETHER IN SHELL OR NOT, WHETHER OR NOT COOKED BEFORE OR DURING THE SMOKING PROCESS; FLOURS, MEALS AND PELLETS OF MOLLUSCS, FIT FOR HUMAN CONSUMPTION", 
+  "hsn_code": "0307"
+ }, 
+ {
+  "description": "AQUATIC INVERTEBRATES OTHER THAN CRUSTACEANS AND MOLLUSCS, LIVE,FRESH, CHILLED,  FROZEN, DRIED, SALTED OR IN BRINE; SMOKED AQUATIC INVERTEBRATES OTHER THAN CRUSTACEANS AND MOLLUSCS, WHETHER OR NOT COOKED BEFORE OR DURING THE SMOKING PROCESS; FLOURS, MEALS AND PELLETS OF AQUATIC INVERTEBRATES OTHER THAN CRUSTACEANS AND MOLLUSCS, FIT FOR HUMAN CONSUMPTION", 
+  "hsn_code": "0308"
+ }, 
+ {
+  "description": "MILK AND CREAM, NOT CONCENTRATED NOR CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER", 
+  "hsn_code": "0401"
+ }, 
+ {
+  "description": "MILK AND CREAM, CONCENTRATED OR CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER", 
+  "hsn_code": "0402"
+ }, 
+ {
+  "description": "OTHER VEGETABLES PREPARED OR PRESERVED OTHERWISE THAN BY VINEGAR OR ACETIC ACID, NOT FROZEN, OTHER THAN PRODUCTS OF HEADING 2006", 
+  "hsn_code": "0402"
+ }, 
+ {
+  "description": "BUTTERMILK, CURDLED MILK AND CREAM, YOGURT, KEFIR AND OTHER FERMENTED OR ACIDIFIED MILK AND CREAM, WHETHER OR NOT CONCENTRATED OR CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER OR FLAVOURED OR CONTAINING ADDED FRUIT, NUTS OR COCOA", 
+  "hsn_code": "0403"
+ }, 
+ {
+  "description": "WHEY, WHETHER OR NOT CONCENTRATED OR CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER; PRODUCTS CONSISTING OF NATURAL MILK CONSTITUENTS, WHETHER OR NOT CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "0404"
+ }, 
+ {
+  "description": "BUTTER AND OTHER FATS AND OILS DERIVED FROM MILK; DAIRY SPREADS", 
+  "hsn_code": "0405"
+ }, 
+ {
+  "description": "CHEESE AND CURD", 
+  "hsn_code": "0406"
+ }, 
+ {
+  "description": "BIRDS\u2019 EGGS, IN SHELL, FRESH, PRESERVED OR COOKED", 
+  "hsn_code": "0407"
+ }, 
+ {
+  "description": "BIRDS EGGS, NOT IN SHELL, AND EGG YOLKS, FRESH, DRIED, COOKED BY STEAMING OR BY BOILING IN WATER, MOULDED, FROZEN OR OTHERWISE PRESERVED, WHETHER OR NOT CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER", 
+  "hsn_code": "0408"
+ }, 
+ {
+  "description": "EDIBLE PRODUCTS OF ANIMAL ORIGIN, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "0410"
+ }, 
+ {
+  "description": "HUMAN HAIR, UNWORKED, WHETHER OR NOT WASHED OR SCOURED; WASTE OF HUMAN HAIR", 
+  "hsn_code": "0501"
+ }, 
+ {
+  "description": "PIGS, HOGS OR BOARS BRISTLES AND HAIR; BADGER HAIR AND OTHER BRUSH MAKING HAIR; WASTE OF SUCH BRISTLES OR HAIR", 
+  "hsn_code": "0502"
+ }, 
+ {
+  "description": "GUTS, BLADDERS AND STOMACHS OF ANIMALS (OTHER THAN FISH), WHOLE AND PIECES THEREOF, FRESH, CHILLED, FROZEN, SALTED, IN BRINE, DRIED OR SMOKED", 
+  "hsn_code": "0504"
+ }, 
+ {
+  "description": "SKINS AND OTHER PARTS OF BIRDS, WITH THEIR FEATHERS OR DOWN, FEATHERS AND PARTS OF FEATHERS (WHETHER OR NOT WITH TRIMMED EDGES) AND DOWN, NOT FURTHER WORKED THAN CLEANED, DISINFECTED OR TREATED FOR PRESERVATION; POWDER AND WASTE OF FEATHERS OR PARTS OF FEATHERS", 
+  "hsn_code": "0505"
+ }, 
+ {
+  "description": "BONES AND HORN-CORES, UNWORKED, DEFATTED, SIMPLY PREPARED (BUT NOT CUT TO SHAPE), TREATED WITH ACID OR DEGELATINISED POWDER AND WASTE OF THESE PRODUCTS", 
+  "hsn_code": "0506"
+ }, 
+ {
+  "description": "IVORY, TORTOISE-SHELL, WHALEBONE AND WHALE-BONE HAIR, HORNS, ANTLERS, HOOVES, NAILS, CLAWS AND BEAKS, UNWORKED OR SIMPLY PREPARED BUT NOT CUT TO SHAPE; POWDER AND WASTE OF THESE PRODUCTS", 
+  "hsn_code": "0507"
+ }, 
+ {
+  "description": "CORAL AND SIMILAR MATERIALS, UNWORKED OR SIMPLY PREPARED BUT NOT OTHERWISE WORKED; SHELLS OF MOLLUSCS, CRUSTACEANS OR ECHINODERMS AND CUTTLE-BONE, UNWORKED OR SIMPLY PREPARED BUT NOT CUT TO SHAPE, POWDER AND WASTE THEREOF", 
+  "hsn_code": "0508"
+ }, 
+ {
+  "description": "AMBERGRIS, CASTOREUM, CIVET AND MUSK; CANTHARIDES; BILE, WHETHER OR NOT DRIED; GLANDS AND OTHER ANIMAL PRODUCTS USED IN THE PREPARATION OF PHARMACEUTICAL PRODUCTS, FRESH, CHILLED, FROZEN OR OTHERWISE PROVISIONALLY PRESERVED", 
+  "hsn_code": "0510"
+ }, 
+ {
+  "description": "ANIMAL PRODUCTS NOT ELSEWHERE SPECIFIED OR INCLUDED; DEAD ANIMALS OF CHAPTER 1 OR 3, UNFIT FOR HUMAN CONSUMPTION", 
+  "hsn_code": "0511"
+ }, 
+ {
+  "description": "Vegetable Products", 
+  "hsn_code": "06-15"
+ }, 
+ {
+  "description": "BULBS, TUBERS, TUBEROUS ROOTS, CORMS, CROWNS AND RHIZOMES, DORMANT, IN GROWTH OR IN FLOWER; CHICORY PLANTS AND ROOTS OTHER THAN ROOTS OF HEADING 1212", 
+  "hsn_code": "0601"
+ }, 
+ {
+  "description": "OTHER LIVE PLANTS (INCLUDING THEIR ROOTS), CUTTINGS AND SLIPS; MUSHROOM SPAWN", 
+  "hsn_code": "0602"
+ }, 
+ {
+  "description": "CUT FLOWERS AND FLOWER BUDS OF A KIND SUITABLE FOR BOUQUETS OR FOR ORNAMENTAL PURPOSES, FRESH, DRIED, DYED, BLEACHED, IMPREGNATED OR OTHERWISE PREPARED", 
+  "hsn_code": "0603"
+ }, 
+ {
+  "description": "FOLIAGE, BRANCHES AND OTHER PARTS OF PLANTS, WITHOUT FLOWERS OR FLOWER BUDS, AND GRASSES, MOSSES AND LICHENS, BEING GOODS OF A KIND SUITABLE FOR BOUQUETS OR FOR ORNAMENTAL PURPOSES, FRESH, DRIED, DYED, BLEACHED, IMPREGNATED OR OTHERWISE PREPARED", 
+  "hsn_code": "0604"
+ }, 
+ {
+  "description": "POTATOES, FRESH OR CHILLED", 
+  "hsn_code": "0701"
+ }, 
+ {
+  "description": "Tomatoes, fresh or chilled", 
+  "hsn_code": "0702"
+ }, 
+ {
+  "description": "ONIONS, SHALLOTS, GARLIC, LEEKS AND OTHER Alliaceous VEGETABLES, FRESH OR CHILLED", 
+  "hsn_code": "0703"
+ }, 
+ {
+  "description": "LETTUCE (LACTUCASATIVA) AND CHICORY (CICHORIUM SPP.), FRESH OR CHILLED LETTUCE", 
+  "hsn_code": "0705"
+ }, 
+ {
+  "description": "CARROTS, TURNIPS, SALAD BEETROOT, SALSIFY, CELERIAC, RADISHES AND SIMILAR EDIBLE ROOTS, FRESH OR CHILLED", 
+  "hsn_code": "0706"
+ }, 
+ {
+  "description": "Cucumbers or gherkins, fresh or chilled", 
+  "hsn_code": "0707"
+ }, 
+ {
+  "description": "LEGUMINOUS VEGETABLES, SHELLED OR UNSHELLED, FRESH OR CHILLED", 
+  "hsn_code": "0708"
+ }, 
+ {
+  "description": "OTHER VEGETABLES, FRESH OR CHILLED", 
+  "hsn_code": "0709"
+ }, 
+ {
+  "description": "VEGETABLES (UNCOOKED OR COOKED BY STEAMING OR BOILING IN WATER), FROZEN", 
+  "hsn_code": "0710"
+ }, 
+ {
+  "description": "VEGETABLES PROVISIONALLY PRESERVED (FOR EXAMPLE, BY SULPHUR DIOXIDE GAS, IN BRINE, IN SULPHUR WATER OR IN OTHER PRESERVATIVE SOLUTIONS), BUT UNSUITABLE IN THAT STATE FOR IMMEDIATE CONSUMPTION", 
+  "hsn_code": "0711"
+ }, 
+ {
+  "description": "DRIED VEGETABLES, WHOLE, CUT, SLICED, BROKEN OR IN POWDER, BUT NOT FURTHER PREPARED", 
+  "hsn_code": "0712"
+ }, 
+ {
+  "description": "DRIED LEGUMINOUS VEGETABLES, SHELLED, WHETHER OR NOT SKINNED OR SPLIT", 
+  "hsn_code": "0713"
+ }, 
+ {
+  "description": "MANIOC, ARROWROOT, SALEP, JERUSALEM ARTICHOKES, SWEET POTATOES AND SIMILAR ROOTS AND TUBERS WITH HIGH STARCH OR INULIN CONTENT, FRESH, CHILLED, FROZEN OR DRIED, WHETHER OR NOT SLICED OR IN THE FORM OF PELLETS; SAGO PITH", 
+  "hsn_code": "0714"
+ }, 
+ {
+  "description": "COCONUTS, BRAZIL NUTS AND CASHEW NUTS, FRESH OR DRIED, WHETHER OR NOT SHELLED OR PEELED", 
+  "hsn_code": "0801"
+ }, 
+ {
+  "description": "OTHER NUTS, FRESH OR DRIED, WHETHER OR NOT SHELLED OR PEELED", 
+  "hsn_code": "0802"
+ }, 
+ {
+  "description": "BANANAS, INCLUDING PLANTAINS, FRESH OR DRIED", 
+  "hsn_code": "0803"
+ }, 
+ {
+  "description": "Dates, figs, pineapples, avocados, guavas, mangoes and mangosteens; fresh or dried", 
+  "hsn_code": "0804"
+ }, 
+ {
+  "description": "CITRUS FRUIT, FRESH OR DRIED", 
+  "hsn_code": "0805"
+ }, 
+ {
+  "description": "GRAPES, FRESH OR DRIED", 
+  "hsn_code": "0806"
+ }, 
+ {
+  "description": "MELONS (INCLUDING WATERMELONS) AND PAPAWS (PAPAYAS), FRESH", 
+  "hsn_code": "0807"
+ }, 
+ {
+  "description": "APPLES, PEARS AND QUINCES, FRESH", 
+  "hsn_code": "0808"
+ }, 
+ {
+  "description": "APRICOTS, CHERRIES, PEACHES (INCLUDING NECTARINES), PLUMS AND SOLES, FRESH", 
+  "hsn_code": "0809"
+ }, 
+ {
+  "description": "DATES, FIGS, PINEAPPLES, AVOCADOS, GUAVAS, MANGOES, AND MANGOSTEENS, FRESH OR DRIED", 
+  "hsn_code": "0810"
+ }, 
+ {
+  "description": "FRUIT AND NUTS, UNCOOKED OR COOKED BY STEAMING OR BOILING IN WATER, FROZEN, WHETHER OR NOT CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER", 
+  "hsn_code": "0811"
+ }, 
+ {
+  "description": "FRUIT AND NUTS PROVISIONALLY PRESERVED (FOR EXAMPLE, BY SULPHUR DIOXIDE GAS, IN BRINE, IN SULPHUR WATER OR IN OTHER PRESERVATIVE SOLUTIONS), BUT UNSUITABLE IN THAT STATE FOR IMMEDIATE CONSUMPTION", 
+  "hsn_code": "0812"
+ }, 
+ {
+  "description": "FRUIT, DRIED, OTHER THAN THAT OF HEADINGS 0801 TO 0806; MIXTURES OF NUTS OR DRIED FRUITS OF THIS CHAPTER", 
+  "hsn_code": "0813"
+ }, 
+ {
+  "description": "Peel of citrus fruit or melons (including watermelons), fresh, frozen, dried or provisionally preserved in brine, in sulphur water or in other preservative solutions", 
+  "hsn_code": "0814"
+ }, 
+ {
+  "description": "COFFEE, WHETHER OR NOT ROASTED OR DECAFFEINATED; COFFEE HUSKS AND SKINS; COFFEE SUBSTITUTES CONTAINING COFFEE IN ANY PROPORTION", 
+  "hsn_code": "0901"
+ }, 
+ {
+  "description": "TEA, WHETHER OR NOT FLAVOURED", 
+  "hsn_code": "0902"
+ }, 
+ {
+  "description": "Mate", 
+  "hsn_code": "0903"
+ }, 
+ {
+  "description": "PEPPER OF THE GENUS PIPER; DRIED OR CRUSHED OR GROUND FRUITS OF THE GENUS CAPSICUM OR OF THE GENUS PIMENTA", 
+  "hsn_code": "0904"
+ }, 
+ {
+  "description": "VANILLA", 
+  "hsn_code": "0905"
+ }, 
+ {
+  "description": "CINNAMON AND CINNAMON-TREE FLOWERS", 
+  "hsn_code": "0906"
+ }, 
+ {
+  "description": "CLOVES (WHOLE FRUIT, CLOVES AND STEMS)", 
+  "hsn_code": "0907"
+ }, 
+ {
+  "description": "NUTMEG, MACE AND CARDAMOMS", 
+  "hsn_code": "0908"
+ }, 
+ {
+  "description": "SEEDS OF ANISE, BADIAN, FENNEL, CORIANDER, CUMIN OR CARAWAY; JUNIPER BERRIES", 
+  "hsn_code": "0909"
+ }, 
+ {
+  "description": "OTHER FRUIT, FRESH", 
+  "hsn_code": "0909"
+ }, 
+ {
+  "description": "GINGER, SAFFRON, TURMERIC (CURCUMA), THYME, BAY LEAVES, CURRY AND OTHER SPICES", 
+  "hsn_code": "0910"
+ }, 
+ {
+  "description": "SEEDS OF ANISE, BADIAN, FENNEL, CORIANDER, CUMIN OR CARAWAY; JUNIPER BERRIES", 
+  "hsn_code": "0910"
+ }, 
+ {
+  "description": "WHEAT AND MESLIN", 
+  "hsn_code": "1001"
+ }, 
+ {
+  "description": "RYE", 
+  "hsn_code": "1002"
+ }, 
+ {
+  "description": "BARLEY", 
+  "hsn_code": "1003"
+ }, 
+ {
+  "description": "OATS", 
+  "hsn_code": "1004"
+ }, 
+ {
+  "description": "MAIZE (CORN)", 
+  "hsn_code": "1005"
+ }, 
+ {
+  "description": "RICE", 
+  "hsn_code": "1006"
+ }, 
+ {
+  "description": "GRAIN SORGHUM", 
+  "hsn_code": "1007"
+ }, 
+ {
+  "description": "BUCKWHEAT, MILLET AND CANARY SEEDS; OTHER CEREALS", 
+  "hsn_code": "1008"
+ }, 
+ {
+  "description": "Wheat or meslin flour", 
+  "hsn_code": "1101"
+ }, 
+ {
+  "description": "CEREAL FLOURS OTHER THAN THAT OF WHEAT OR MESLIN", 
+  "hsn_code": "1102"
+ }, 
+ {
+  "description": "CEREAL GROATS, MEAL AND PELLETS", 
+  "hsn_code": "1103"
+ }, 
+ {
+  "description": "CEREAL GRAINS OTHERWISE WORKED (FOR EXAMPLE, HULLED, ROLLED, FLAKED, PEARLED, SLICED, OR KIBBLED), EXCEPT RICE OF HEADING 1006; GERM OF CEREALS, WHOLE, ROLLED, FLAKED OR GROUND", 
+  "hsn_code": "1104"
+ }, 
+ {
+  "description": "FLOUR, MEAL, POWDER, FLAKES, GRANULES AND PELLETS OF POTATOES", 
+  "hsn_code": "1105"
+ }, 
+ {
+  "description": "FLOUR, MEAL AND POWDER OF THE DRIED LEGUMINOUS VEGETABLES OF HEADING 0713, OF SAGO OR OF ROOTS OR TUBERS OF HEADING 0714 OR OF THE PRODUCTS OF CHAPTER 8", 
+  "hsn_code": "1106"
+ }, 
+ {
+  "description": "MALT, WHETHER OR NOT ROASTED", 
+  "hsn_code": "1107"
+ }, 
+ {
+  "description": "STARCHES; INULIN", 
+  "hsn_code": "1108"
+ }, 
+ {
+  "description": "Wheat gluten, whether or not dried", 
+  "hsn_code": "1109"
+ }, 
+ {
+  "description": "SOYA BEANS, WHETHER OR NOT BROKEN", 
+  "hsn_code": "1201"
+ }, 
+ {
+  "description": "GROUND-NUT, NOT ROASTED OR OTHERWISE COOKED, WHETHER OR NOT SHELLED OR BROKEN", 
+  "hsn_code": "1202"
+ }, 
+ {
+  "description": "Copra", 
+  "hsn_code": "1203"
+ }, 
+ {
+  "description": "LINSEED, WHETHER OR NOT BROKEN", 
+  "hsn_code": "1204"
+ }, 
+ {
+  "description": "RAPE OR COLZA SEEDS, WHETHER OR NOT BROKEN", 
+  "hsn_code": "1205"
+ }, 
+ {
+  "description": "SUNFLOWER SEEDS, WHETHER OR NOT BROKEN", 
+  "hsn_code": "1206"
+ }, 
+ {
+  "description": "OTHER OIL SEEDS AND OLEAGINOUS FRUITS, WHETHER OR NOT BROKEN", 
+  "hsn_code": "1207"
+ }, 
+ {
+  "description": "FLOURS AND MEALS OF OIL SEEDS OR OLEAGINOUS FRUITS, OTHER THAN THOSE OF MUSTARD", 
+  "hsn_code": "1208"
+ }, 
+ {
+  "description": "SEEDS, FRUIT AND SPORES, OF A KIND USED FOR SOWING", 
+  "hsn_code": "1209"
+ }, 
+ {
+  "description": "HOP CONES, FRESH OR DRIED, WHETHER OR NOT GROUND, POWDERED OR IN THE FORM OF PELLETS; LUPULIN", 
+  "hsn_code": "1210"
+ }, 
+ {
+  "description": "PLANTS AND PARTS OF PLANTS (INCLUDING SEEDS AND FRUITS), OF A KIND USED PRIMARILY IN PERFUMERY, IN PHARMACY OR FOR INSECTICIDAL, FUNGICIDAL OR SIMILAR PURPOSE, FRESH OR DRIED, WHETHER OR NOT CUT, CRUSHED OR POWDERED", 
+  "hsn_code": "1211"
+ }, 
+ {
+  "description": "PEPPER OF THE GENUS PIPER; DRIED OR CRUSHED OR GROUND FRUITS OF THE GENUS CAPSICUM OR OF THE GENUS PIMENTA", 
+  "hsn_code": "1211"
+ }, 
+ {
+  "description": "LOCUST BEANS, SEAWEEDS AND OTHER ALGAE, SUGAR BEET AND SUGARCANE, FRESH, CHILLED, FROZEN OR DRIED, WHETHER OR NOT GROUND; FRUIT STONES AND KERNELS AND OTHER VEGETABLE PRODUCTS (INCLUDING roasted CHICORY ROOTS OF THE VARIETY Ci-chorium intybus sativum) OF A KIND USED PRIMARILY FOR HUMAN CONSUMPTION, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "1212"
+ }, 
+ {
+  "description": "Cereal straw and husks, unprepared, whether or not chopped, ground, pressed or in the form of pellets", 
+  "hsn_code": "1213"
+ }, 
+ {
+  "description": "SWEDES, MANGOLDS, FODDER ROOTS, HAY, LUCERNE (alfalfa), CLOVER, SAINFOIN, FORAGE KALE, LUPINES, VETCHES AND SIMILAR FORAGE PRODUCTS, WHETHER OR NOT IN THE FORM OF PELLETS", 
+  "hsn_code": "1214"
+ }, 
+ {
+  "description": "LAC;NATURAL GUMS, RESINS,GUM-RESINS AND OLEORESINS (FOR EXAMPLE,BALSAMS)", 
+  "hsn_code": "1301"
+ }, 
+ {
+  "description": "EXTRACTS, ESSENCES AND CONCENTRATES OF COFFEE, TEA OR MATE AND PREPARATIONS WITH A BASIS OF THESE PRODUCTS OR WITH A BASIS OF COFFEE, TEA OR MATE; ROASTED CHICORY & OTHER ROASTED COFFEE SUBSTITUTES, AND EXTRACTS, ESSENCES AND CONCENTRATES THEREOF", 
+  "hsn_code": "1302"
+ }, 
+ {
+  "description": "VEGETABLE MATERIALS OF A KIND USED PRIMARILY FOR PLAITING (FOR EXAMPLE, BAMBOOS, RATTANS, REEDS, RUSHES, OSIER, RAFFIA, CLEANED, BLEACHED OR DYED CEREAL STRAW, AND LIME BARK)", 
+  "hsn_code": "1401"
+ }, 
+ {
+  "description": "VEGETABLE PRODUCTS NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "1404"
+ }, 
+ {
+  "description": "PIG FAT (INCLUDING LARD) AND POULTRY FAT,OTHER THAN THAT OF HEADING 0209 OR 1503", 
+  "hsn_code": "1501"
+ }, 
+ {
+  "description": "FATS OF BOVINE ANIMALS, SHEEP OR GOATS, OTHER THAN THOSE OF HEADING 1503", 
+  "hsn_code": "1502"
+ }, 
+ {
+  "description": "Lard Stearin, Lard Oil, Oleostearin, Oleo-Oil and Tallow Oil, not emulsified or mixed or otherwise prepared", 
+  "hsn_code": "1503"
+ }, 
+ {
+  "description": "FATS AND OILS AND THEIR FRACTIONS, OF FISH OR MARINE MAMMALS, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1504"
+ }, 
+ {
+  "description": "WOOL GREASE AND FATTY SUBSTANCES DERIVED THEREFROM (INCLUDING LANOLIN)", 
+  "hsn_code": "1505"
+ }, 
+ {
+  "description": "OTHER ANIMAL FATS AND OILS AND THEIR FRACTIONS, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1506"
+ }, 
+ {
+  "description": "SOYA-BEAN OIL AND ITS FRACTIONS, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1507"
+ }, 
+ {
+  "description": "GROUNDNUT OIL AND ITS FRACTIONS, WHETHER OR NOT REFINED BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1508"
+ }, 
+ {
+  "description": "OLIVE OIL AND ITS FRACTIONS, WHETHER OR NOT REFINED BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1509"
+ }, 
+ {
+  "description": "OTHER OILS AND THEIR FRACTIONS OBTAINED SOLELY FROM OLIVES, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED, INCLUDING BLENDS OF THESE OILS OR FRACTIONS WITH OILS OR FRACTIONS OF HEADING 1509", 
+  "hsn_code": "1510"
+ }, 
+ {
+  "description": "PALM OIL AND ITS FRACTIONS, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1511"
+ }, 
+ {
+  "description": "SUNFLOWER SEED, SAFFLOWER OR COTTON SEED OIL AND THEIR FRACTIONS THEREOF, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1512"
+ }, 
+ {
+  "description": "COCONUT (COPRA), PALM KERNEL OR BABASSU OIL AND FRACTIONS THEREOF, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1513"
+ }, 
+ {
+  "description": "RAPE, COLZA OR MUSTARD OIL AND ITS FRACTIONS THEREOF, WHETHER OR NOT REFINED , BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1514"
+ }, 
+ {
+  "description": "OTHER FIXED VEGETABLE FATS AND OILS (INCLUDING JOJOBA OIL) AND THEIR FRACTIONS, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1515"
+ }, 
+ {
+  "description": "OTHER FIXED VEGETABLE FATS AND OILS (INCLUDING JOJOBA OIL) AND THEIR FRACTIONS, WHETHER OR NOT REFINED, BUT NOT CHEMICALLY MODIFIED", 
+  "hsn_code": "1518"
+ }, 
+ {
+  "description": "Glycerol, crude; glycerol waters and glycerol lyes", 
+  "hsn_code": "1520"
+ }, 
+ {
+  "description": "VEGETABLE WAXES (OTHER THAN TRIGLYCERIDES),BEESWAX, OTHER INSECT WAXES AND SPERMACETI, WHETHER OR NOT REFINED OR COLOURED", 
+  "hsn_code": "1521"
+ }, 
+ {
+  "description": "DEGRAS: RESIDUES RESULTING FROM THE TREATMENT OF FATTY SUBSTANCES OR ANIMAL OR VEGETABLE WAXES", 
+  "hsn_code": "1522"
+ }, 
+ {
+  "description": "Sausages and similar products, of meat, meat offal or blood; food preparations based on these products", 
+  "hsn_code": "1601"
+ }, 
+ {
+  "description": "OTHER PREPARED OR PRESERVED MEAT, MEAT OFFAL OR BLOOD", 
+  "hsn_code": "1602"
+ }, 
+ {
+  "description": "EXTRACTS AND JUICES OF MEAT, FISH OR CRUSTACEANS, MOLLUSCS OR OTHER AQUATIC INVERTEBRATES", 
+  "hsn_code": "1603"
+ }, 
+ {
+  "description": "PREPARED OR PRESERVED FISH; CAVIAR AND CAVIAR SUBSTITUTES PREPARED FROM FISH EGGS", 
+  "hsn_code": "1604"
+ }, 
+ {
+  "description": "Foodstuffs", 
+  "hsn_code": "16-24"
+ }, 
+ {
+  "description": "CRUSTACEANS, MOLLUSCS AND OTHER AQUATIC INVERTEBRATES, PREPARED OR PRESERVED", 
+  "hsn_code": "1605"
+ }, 
+ {
+  "description": "CANE OR BEET SUGAR AND CHEMICALLY PURE SUCROSE, IN SOLID FORM", 
+  "hsn_code": "1701"
+ }, 
+ {
+  "description": "OTHER SUGARS, INCLUDING CHEMICALLY PURE LACTOSE, MALTOSE, GLUCOSE AND FRUCTOSE, IN SOLID FORM; SUGAR SYRUPS NOT CONTAINING ADDED FLAVOURING OR COLOURING MATTER, ARTIFICIAL HONEY, WHETHER OR NOT MIXED WITH NATURAL HONEY; CARAMEL", 
+  "hsn_code": "1702"
+ }, 
+ {
+  "description": "MOLASSES RESULTING FROM THE EXTRACTION OR REFINING OF SUGAR", 
+  "hsn_code": "1703"
+ }, 
+ {
+  "description": "SUGAR CONFECTIONERY (INCLUDING WHITE CHOCOLATE), NOT CONTAINING COCOA", 
+  "hsn_code": "1704"
+ }, 
+ {
+  "description": "Cocoa beans, whole or broken, raw or roasted", 
+  "hsn_code": "1801"
+ }, 
+ {
+  "description": "Cocoa shells, husks, skins and other cocoa waste", 
+  "hsn_code": "1802"
+ }, 
+ {
+  "description": "COCOA PASTE, WHETHER OR NOT DEFATTED", 
+  "hsn_code": "1803"
+ }, 
+ {
+  "description": "Cocoa butter, fat and oil", 
+  "hsn_code": "1804"
+ }, 
+ {
+  "description": "Cocoa powder, not containing added sugar or other sweetening matter", 
+  "hsn_code": "1805"
+ }, 
+ {
+  "description": "CHOCOLATE AND OTHER FOOD PREPARATIONS CONTAINING COCOA", 
+  "hsn_code": "1806"
+ }, 
+ {
+  "description": "MALT EXTRACT; FOOD PREPARATIONS OF FLOUR, GROATS, MEAL, STARCH OR MALT EXTRACT, NOT CONTAINING COCOA OR CONTAINING LESS THAN 40% BY WEIGHT OF COCOA CALCULATED ON A TOTALLY DEFATTED BASIS, NOT ELSEWHERE SPECIFIED OR INCLUDED; FOOD PREPARATIONS OF GOODS OF HEADINGS 0401 TO 0404, NOT CONTAINING COCOA OR CONTAINING LESS THAN 5% BY WEIGHT OF COCOA CALCULATED ON A TOTALLY DEFATTED BASIS NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "1901"
+ }, 
+ {
+  "description": "PASTA, WHETHER OR NOT COOKED OR STUFFED (WITH MEAT OR OTHER SUBSTANCES) OR OTHERWISE PREPARED, SUCH AS SPAGHETTI, MACARONI, NOODLES, LASAGNE, GNOCCHI, RAVIOLI, CANNELLONI; COUSCOUS, WHETHER OR NOT PREPARED", 
+  "hsn_code": "1902"
+ }, 
+ {
+  "description": "Tapioca and substitutes therefore prepared from starch, in the form of flakes, grains, pearls, shifting or in similar forms", 
+  "hsn_code": "1903"
+ }, 
+ {
+  "description": "PREPARED FOODS OBTAINED BY THE SWELLING OR ROASTING OF CEREALS OR CEREAL PRODUCTS (FOR EXAMPLE, CORN FLAKES); CEREALS (OTHER THAN MAIZE (CORN) ) IN GRAIN FORM OR IN THE FORM OF FLAKES OR OTHER WORKED GRAINS (EXCEPT FLOUR, GROATS AND MEAL), PRE-COOKED, OR OTHERWISE PREPARED, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "1904"
+ }, 
+ {
+  "description": "BREAD, PASTRY, CAKES, BISCUITS AND OTHER BAKERS WARES, WHETHER OR NOT CONTAINING COCOA; COMMUNION WAFERS, EMPTY CACHETS OF A KIND SUITABLE FOR PHARMACEUTICAL USE, SEALING WAFERS, RICE PAPER AND SIMILAR PRODUCTS", 
+  "hsn_code": "1905"
+ }, 
+ {
+  "description": "VEGETABLES, FRUIT, NUTS AND OTHER EDIBLE PARTS OF PLANTS, PREPARED OR PRESERVED BY VINEGAR OR ACETIC ACID", 
+  "hsn_code": "2001"
+ }, 
+ {
+  "description": "TOMATOES PREPARED OR PRESERVED OTHERWISE THAN BY VINEGAR OR ACETIC ACID", 
+  "hsn_code": "2002"
+ }, 
+ {
+  "description": "MUSHROOMS AND TRUFFLES, PREPARED OR PRESERVED OTHERWISE THAN BY VINEGAR OR ACETIC ACID", 
+  "hsn_code": "2003"
+ }, 
+ {
+  "description": "OTHER VEGETABLES PREPARED OR PRESERVED OTHERWISE THAN BY VINEGAR OR ACETIC ACID, FROZEN, OTHER THAN PRODUCTS OF HEADING 2006", 
+  "hsn_code": "2004"
+ }, 
+ {
+  "description": "OTHER VEGETABLES PREPARED OR PRESERVED OTHERWISE THAN BY VINEGAR OR ACETIC ACID, NOT FROZEN, OTHER THAN PRODUCTS OF HEADING 2006", 
+  "hsn_code": "2005"
+ }, 
+ {
+  "description": "JAMS, FRUIT JELLIES, MARMALADE, FRUIT OR NUT PUREE AND FRUIT OR NUT PASTES, OBTAINED BY COOKING, WHETHER OR NOT CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER", 
+  "hsn_code": "2007"
+ }, 
+ {
+  "description": "FRUIT, NUTS AND OTHER EDIBLE PARTS OF PLANTS, OTHERWISE PREPARED OR PRESERVED, WHETHER OR NOT CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER OR SPIRIT, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "2008"
+ }, 
+ {
+  "description": "FRUIT JUICES (INCLUDING GRAPE MUST) AND VEGETABLE JUICES, UNFERMENTED AND NOT CONTAINING ADDED SPIRIT, WHETHER OR NOT CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER", 
+  "hsn_code": "2009"
+ }, 
+ {
+  "description": "EXTRACTS, ESSENCES AND CONCENTRATES OF COFFEE, TEA OR MATE AND PREPARATIONS WITH A BASIS OF THESE PRODUCTS OR WITH A BASIS OF COFFEE, TEA OR MATE; ROASTED CHICORY & OTHER ROASTED COFFEE SUBSTITUTES, AND EXTRACTS, ESSENCES AND CONCENTRATES THEREOF", 
+  "hsn_code": "2101"
+ }, 
+ {
+  "description": "YEASTS (ACTIVE OR INACTIVE); OTHER SINGLE CELL MICRO-ORGANISMS, DEAD (BUT NOT INCLUDING VACCINES OF HEADING 3002); PREPARED BAKING POWDERS", 
+  "hsn_code": "2102"
+ }, 
+ {
+  "description": "SAUCES AND PREPARATIONS THEREFOR; MIXED CONDIMENTS AND MIXED SEASONINGS; MUSTARD FLOUR AND MEAL AND PREPARED MUSTARD", 
+  "hsn_code": "2103"
+ }, 
+ {
+  "description": "SOUPS AND BROTHS AND PREPARATIONS THEREFOR; HOMOGENIZED COMPOSITE FOOD PREPARATIONS", 
+  "hsn_code": "2104"
+ }, 
+ {
+  "description": "FOOD PREPARATIONS, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "2106"
+ }, 
+ {
+  "description": "Waters, including natural or artificial mineral waters and aerated waters, not containing added sugar or other sweetening matter nor flavoured; ice and snow", 
+  "hsn_code": "2201"
+ }, 
+ {
+  "description": "WATERS, INCLUDING MINERAL WATERS AND AERATED WATERS, CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER OR FLAVOURED, AND OTHER NON-ALCOHOLIC BEVERAGES, NOT INCLUDING FRUIT OR VEGETABLE JUICES OF HEADING 2009", 
+  "hsn_code": "2202"
+ }, 
+ {
+  "description": "WATERS, INCLUDING MINERAL WATERS AND AERATED WATERS, CONTAINING ADDED SUGAR OR OTHER SWEETENING MATTER OR FLAVOURED, AND OTHER NON-ALCOHOLIC BEVERAGES, NOT INCLUDING FRUIT OR VEGETABLE JUICES OF HEADING 2009", 
+  "hsn_code": "2203"
+ }, 
+ {
+  "description": "WINE OF FRESH GRAPES, INCLUDING FORTIFIED WINES; GRAPE MUST OTHER THAN THAT OF HEADING 2009", 
+  "hsn_code": "2204"
+ }, 
+ {
+  "description": "VERMOUTH AND OTHER WINE OF FRESH GRAPES FLAVOURED WITH PLANTS OR AROMATIC SUBSTANCES", 
+  "hsn_code": "2205"
+ }, 
+ {
+  "description": "UNDENATURED ETHYL ALCOHOL OF AN ALCOHOLIC STRENGTH BY VOLUME OF 80% VOL. OR HIGHER; ETHYL ALCOHOL AND OTHER SPIRITS, DENATURED, OF ANY STRENGTH", 
+  "hsn_code": "2207"
+ }, 
+ {
+  "description": "UNDENATURED ETHYL ALCOHOL OF AN ALCOHOLIC STRENGTH BY VOLUME OF LESS THAN 80% VOL.; SPIRIT, LIQUEURS AND OTHER SPIRITNOUS BEVERAGES", 
+  "hsn_code": "2208"
+ }, 
+ {
+  "description": "VINEGAR AND SUBSTITUTES FOR VINEGAR OBTAINED FROM ACETIC ACID", 
+  "hsn_code": "2209"
+ }, 
+ {
+  "description": "FLOURS, MEALS AND PELLETS, OF MEAT OR MEAT OFFAL, OF FISH OR OF CRUSTACEANS, MOLLUSCS OR OTHER AQUATIC INVERTEBRATES, UNFIT FOR HUMAN CONSUMPTION; GREAVES", 
+  "hsn_code": "2301"
+ }, 
+ {
+  "description": "BRAN, SHARPS AND OTHER RESIDUES, WHETHER OR NOT IN THE FORM OF PELLETS, DERIVED FROM THE SIFTING, MILLING OR OTHER WORKING OF CEREALS OR OF LEGUMINOUS PLANTS", 
+  "hsn_code": "2302"
+ }, 
+ {
+  "description": "RESIDUES OF STARCH MANUFACTURE AND SIMILAR RESIDUES, BEET-PULP, BAGASSE AND OTHER WASTE OF SUGAR MANUFACTURE, BREWING OR DISTILLING DREGS AND WASTE, WHETHER OR NOT IN THE FORM OF PELLETS", 
+  "hsn_code": "2303"
+ }, 
+ {
+  "description": "OIL-CAKE AND OTHER SOLID RESIDUES, WHETHER OR NOT GROUND OR IN THE FORM OF PELLETS, RESULTING FROM THE EXTRACTION OF SOYABEAN OIL", 
+  "hsn_code": "2304"
+ }, 
+ {
+  "description": "OIL-CAKE AND OTHER SOLID RESIDUES, WHETHER OR NOT GROUND OR IN THE FORM OF PELLETS, RESULTING FROM THE EXTRACTION OF GROUND-NUT OIL", 
+  "hsn_code": "2305"
+ }, 
+ {
+  "description": "OIL-CAKE AND OTHER SOLID RESIDUES, WHETHER OR NOT GROUND OR IN THE FORM OF PELLETS, RESULTING FROM THE EXTRACTION OF VEGETABLE FATS OR OILS, OTHER THAN THOSE OF HEADING 2304 OR 2305", 
+  "hsn_code": "2306"
+ }, 
+ {
+  "description": "OIL-CAKE AND OTHER SOLID RESIDUES, WHETHER OR NOT GROUND OR IN THE FORM OF PELLETS, RESULTING FROM THE EXTRACTION OF VEGETABLE FATS OR OILS, OTHER THAN THOSE OF HEADING 2304 OR 2305", 
+  "hsn_code": "2307"
+ }, 
+ {
+  "description": "OIL-CAKE AND OTHER SOLID RESIDUES, WHETHER OR NOT GROUND OR IN THE FORM OF PELLETS, RESULTING FROM THE EXTRACTION OF VEGETABLE FATS OR OILS, OTHER THAN THOSE OF HEADING 2304 OR 2305", 
+  "hsn_code": "2308"
+ }, 
+ {
+  "description": "PREPARATIONS OF A KIND USED IN ANIMAL FEEDING", 
+  "hsn_code": "2309"
+ }, 
+ {
+  "description": "UNMANUFACTURED TOBACCO; TOBACCO REFUSE", 
+  "hsn_code": "2401"
+ }, 
+ {
+  "description": "CIGARS, CHEROOTS, CIGARILLOS AND CIGARETTES, OF TOBACCO OR OF TOBACCO SUBSTITUTES", 
+  "hsn_code": "2402"
+ }, 
+ {
+  "description": "OTHER MANUFACTURE TOBACCO AND MANUFACTURED TOBACCO SUBSTITUTES; HOMOGENIZED OR RECONSTITUTED TOBACCO; TOBACCO EXTRACTS AND ESSENCES", 
+  "hsn_code": "2403"
+ }, 
+ {
+  "description": "Mineral Products", 
+  "hsn_code": "25-27"
+ }, 
+ {
+  "description": "SALT (INCLUDING TABLE SALT AND DENATURED SALT) AND PURE SODIUM CHLORIDE, WHETHER OR NOT IN AQUEOUS SOLUTION OR CONTAINING ADDED ANTI-CAKING OR FREE FLOWING AGENTS; SEA WATER", 
+  "hsn_code": "2501"
+ }, 
+ {
+  "description": "Unroasted iron pyrites", 
+  "hsn_code": "2502"
+ }, 
+ {
+  "description": "SULPHUR OF ALL KINDS, OTHER THAN SUBLIMED SULPHUR, PRECIPATED SULPHUR AND COLLODIAL SULPHUR", 
+  "hsn_code": "2503"
+ }, 
+ {
+  "description": "NATURAL GRAPHITE", 
+  "hsn_code": "2504"
+ }, 
+ {
+  "description": "NATURAL SANDS OF ALL KINDS, WHETHER OR NOT COLOURED, OTHER THAN METAL-BEARING SANDS OF CHAPTER 26", 
+  "hsn_code": "2505"
+ }, 
+ {
+  "description": "QUARTZ (OTHER THAN NATURAL SANDS); QUARTZITE, WHETHER OR NOT ROUGHLY TRIMMED OR MERELY CUT, BY SAWING OR OTHERWISE, INTO BLOCKS OR SLABS OF A RECTANGULAR (INCLUDING SQUARE) SHAPE", 
+  "hsn_code": "2506"
+ }, 
+ {
+  "description": "KAOLIN AND OTHER KAOLINIC CLAYS, WHETHER OR NOT CALCINED", 
+  "hsn_code": "2507"
+ }, 
+ {
+  "description": "OTHER CLAYS (NOT INCLUDING EXPANDED CLAYS OF HEADING 6806), ANDALUSITE, KYANITE AND SILLIMANITE, WHETHER OR NOT CALCINED; MULLITE; CHAMOTTE OR DINAS EARTHS", 
+  "hsn_code": "2508"
+ }, 
+ {
+  "description": "Chalk", 
+  "hsn_code": "2509"
+ }, 
+ {
+  "description": "NATURAL CALCIUM PHOSPHATES, NATURAL ALUMINIUM CALCIUM PHOSPHATES AND PHOSPHATIC CHALK", 
+  "hsn_code": "2510"
+ }, 
+ {
+  "description": "NATURAL BARIUM SULPHATE (BARYTES); NATURAL BARIUM CARBONATE (WITHERITE), WHETHER OR NOT CALCINED, OTHER THAN BARIUM OXIDE OF HEADING 2816", 
+  "hsn_code": "2511"
+ }, 
+ {
+  "description": "SILICEOUS FOSSIL MEALS (FOR EXAMPLE, KIESELGUHR, TRIPOLITE AND DIATOMITE) AND SIMILAR SILICEOUS EARTHS, WHETHER OR NOT CALCINED, OF AN APPARENT SPECIFIC GRAVITY OF 1 OR LESS", 
+  "hsn_code": "2512"
+ }, 
+ {
+  "description": "PUMICE STONES; EMERY; NATURAL CORUNDUM, NATURAL GARNET AND OTHER NATURAL ABRASIVES, WHETHER OR NOT HEAT-TREATED", 
+  "hsn_code": "2513"
+ }, 
+ {
+  "description": "PUMICE STONES; EMERY; NATURAL CORUNDUM, NATURAL GARNET AND OTHER NATURAL ABRASIVES, WHETHER OR NOT HEAT-TREATED", 
+  "hsn_code": "2514"
+ }, 
+ {
+  "description": "MARBLE, TRAVERTINE, ECAUSSINE AND OTHER CALCAREOUS MONUMENTAL OR BUILDING STONE OF AN APPARENT SPECIFIC GRAVITY OF 2.5 OR MORE, AND ALABASTER, WHETHER OR NOT ROUGHLY TRIMMED OR MERELY CUT, BY SAWING OR OTHERWISE, INTO BLOCKS OR SLABS OF A RECTANGULAR (INCLUDING SQUARE) SHAPE", 
+  "hsn_code": "2515"
+ }, 
+ {
+  "description": "GRANITE, PORPHYRY, BASALT, SANDSTONE AND OTHER MONUMENTAL OR BUILDING STONE, WHETHER OR NOT ROUGHLY TRIMMED OR MERELY CUT, BY SAWING OR OTHERWISE, INTO BLOCKS OR SLABS OF A RECTANGULAR (INCLUDING SQUARE) SHAPE", 
+  "hsn_code": "2516"
+ }, 
+ {
+  "description": "PEBBLES, GRAVEL, BROKEN OR CRUSHED STONE, OF A KIND COMMONLY USED FOR CONCRETE AGGREGATES, FOR ROAD METALLING OR FOR RAILWAY OR OTHER BALLAST, SHINGLE AND FLINT, WHETHER OR NOT HEAT-TREATED; MACADAM OF SLAG, DROSS OR SIMILAR INDUSTRIAL WASTE, WHETHER OR NOT INCORPORATING THE MATERIALS CITED IN THE FIRST PART OF THE HEADING; TARRED MACADAM; GRANULES, CHIPPINGS AND POWDER, OF STONES OF HEADING 2515 OR 2516, WHETHER OR NOT HEAT-TREATED", 
+  "hsn_code": "2517"
+ }, 
+ {
+  "description": "DOLOMITE, WHETHER OR NOT CALCINED OR SINTERED, INCLUDING DOLOMITE ROUGHLY TRIMMED OR MERELY CUT, BY SAWING OR OTHERWISE, INTO BLOCKS OR SLABS OF A RECTANGULAR (INCLUDING SQUARE)SHAPE; DOLOMITE RAMMING MIX", 
+  "hsn_code": "2518"
+ }, 
+ {
+  "description": "NATURAL MAGNESIUM CARBONATE (MAGNESITE); FUSED MAGNESIA; DEAD-BURNED (SINTERED) MAGNESIA, WHETHER OR NOT CONTAINING SMALL QUANTITIES OF OTHER OXIDES ADDED BEFORE SINTERING; OTHER MAGNESIUM OXIDE, WHETHER OR NOT PURE", 
+  "hsn_code": "2519"
+ }, 
+ {
+  "description": "GYPSUM; ANHYDRITE; PLASTERS (CONSISTING OF CALCINED GYPSUM OR CALCIUM SULPHATE) WHETHER OR NOT COLOURED, WITH OR WITHOUT SMALL QUANTITIES OF ACCELERATES OR RETARDERS", 
+  "hsn_code": "2520"
+ }, 
+ {
+  "description": "LIMESTONE FLUX; LIMESTONE AND OTHER CALCAREOUS STONES, OF A KIND USED FOR THE MANUFACTURE OF LIME OR CEMENT", 
+  "hsn_code": "2521"
+ }, 
+ {
+  "description": "QUICKLIME, SLAKED LIME AND HYDRAULIC LIME, OTHER THAN CALCIUM OXIDE AND HYDROXIDE OF HEADING 2825", 
+  "hsn_code": "2522"
+ }, 
+ {
+  "description": "PORTLAND CEMENT, ALUMINOUS CEMENT, SLAG CEMENT, SUPERSULPHATE CEMENT AND SIMILAR HYDRAULIC CEMENTS, WHETHER OR NOT COLOURED OR IN THE FORM OF CLINKERS", 
+  "hsn_code": "2523"
+ }, 
+ {
+  "description": "ASBESTOS", 
+  "hsn_code": "2524"
+ }, 
+ {
+  "description": "MICA, INCLUDING SPLITTINGS; MICA WASTE", 
+  "hsn_code": "2525"
+ }, 
+ {
+  "description": "NATURAL STEATITE, WHETHER OR NOT ROUGHLY TRIMMED OR MERELY CUT, BY SAWING OR OTHERWISE, INTO BLOCKS OR SLABS OF A RECTANGULAR (INCLUDING SQUARE) SHAPE; TALC", 
+  "hsn_code": "2526"
+ }, 
+ {
+  "description": "NATURAL BORATES AND CONCENTRATES THEREOF (WHETHER OR NOT CALCINED), BUT NOT INCLUDING BORATES SEPARATED FROM NATURAL BRINE; NATURAL BORIC ACID CONTAINING NOT MORE THAN 85% OF H3BO3 CALCULATED ON THE DRY WEIGHT", 
+  "hsn_code": "2528"
+ }, 
+ {
+  "description": "FELDSPAR; LEUCITE; NEPHELINE AND NEPHELINE SYENITE; NFLUORSPAR", 
+  "hsn_code": "2529"
+ }, 
+ {
+  "description": "MINERAL SUBSTANCES NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "2530"
+ }, 
+ {
+  "description": "IRON ORES AND CONCENTRATES, INCLUDING ROASTED IRON PYRITES", 
+  "hsn_code": "2601"
+ }, 
+ {
+  "description": "MANGANESE ORES AND CONCENTRATES, INCLUDING FERRUGINOUS MANGANESE ORES AND CONCENTRATES WITH A MANGANESE CONTENT OF 20% OR MORE, CALCULATED ON THE DRY WEIGHT", 
+  "hsn_code": "2602"
+ }, 
+ {
+  "description": "MANGANESE ORES AND CONCENTRATES, INCLUDING FERRUGINOUS MANGANESE ORES AND CONCENTRATES WITH A MANGANESE CONTENT OF 20% OR MORE, CALCULATED ON THE DRY WEIGHT", 
+  "hsn_code": "2603"
+ }, 
+ {
+  "description": "MANGANESE ORES AND CONCENTRATES, INCLUDING FERRUGINOUS MANGANESE ORES AND CONCENTRATES WITH A MANGANESE CONTENT OF 20% OR MORE, CALCULATED ON THE DRY WEIGHT", 
+  "hsn_code": "2604"
+ }, 
+ {
+  "description": "MANGANESE ORES AND CONCENTRATES, INCLUDING FERRUGINOUS MANGANESE ORES AND CONCENTRATES WITH A MANGANESE CONTENT OF 20% OR MORE, CALCULATED ON THE DRY WEIGHT", 
+  "hsn_code": "2605"
+ }, 
+ {
+  "description": "ALUMINIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2606"
+ }, 
+ {
+  "description": "ALUMINIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2607"
+ }, 
+ {
+  "description": "ALUMINIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2608"
+ }, 
+ {
+  "description": "ALUMINIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2609"
+ }, 
+ {
+  "description": "CHROMIUN ORES AND CONCENTRATES", 
+  "hsn_code": "2610"
+ }, 
+ {
+  "description": "CHROMIUN ORES AND CONCENTRATES", 
+  "hsn_code": "2611"
+ }, 
+ {
+  "description": "URANIUM OR THORIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2612"
+ }, 
+ {
+  "description": "MOLYBDENUM ORES AND CONCENTRATES", 
+  "hsn_code": "2613"
+ }, 
+ {
+  "description": "TITANIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2614"
+ }, 
+ {
+  "description": "NIOBIUM, TANTALUM, VANADIUM OR ZIRCONIUM ORES AND CONCENTRATES", 
+  "hsn_code": "2615"
+ }, 
+ {
+  "description": "PRECIOUS METAL ORES AND CONCENTRATES", 
+  "hsn_code": "2616"
+ }, 
+ {
+  "description": "OTHER ORES AND CONCENTRATES", 
+  "hsn_code": "2617"
+ }, 
+ {
+  "description": "OTHER ORES AND CONCENTRATES", 
+  "hsn_code": "2618"
+ }, 
+ {
+  "description": "SLAG, DROSS (OTHER THAN GRANULATED SLAG),  SCALINGS AND OTHER WASTE FROM THE MANUFACTURE OF IRON OR STEEL", 
+  "hsn_code": "2619"
+ }, 
+ {
+  "description": "SLAG, ASH AND RESIDUES (OTHER THAN FROM THE MANUFACTURE OF IRON OR STEEL), CONTAINING ARSENIC, METALS OR THEIR COMPOUNDS", 
+  "hsn_code": "2620"
+ }, 
+ {
+  "description": "OTHER SLAG AND ASH, INLCUDING SEAWEED ASH (KELP); ASH AND RESIDUES FROM THE ICINERATION OF MUNICIPAL WASTE", 
+  "hsn_code": "2621"
+ }, 
+ {
+  "description": "COAL; BRIQUETTES, OVOIDS AND SIMILAR SOLID FUELS MANUFACTURED FROM COAL", 
+  "hsn_code": "2701"
+ }, 
+ {
+  "description": "LIGNITE, WHETHER OR NOT AGGLOMERATED, EXCLUDING JET", 
+  "hsn_code": "2702"
+ }, 
+ {
+  "description": "PEAT (INCLUDING PEAT LITTER), WHETHER OR NOT AGGLOMERATED", 
+  "hsn_code": "2703"
+ }, 
+ {
+  "description": "COKE AND SEMI-COKE OF COAL, OF LIGNITE OR OF PEAT, WHETHER OR NOT AGGLOMERATED; RETORT CARBON", 
+  "hsn_code": "2704"
+ }, 
+ {
+  "description": "COKE AND SEMI-COKE OF COAL, OF LIGNITE OR OF PEAT, WHETHER OR NOT AGGLOMERATED; RETORT CARBON", 
+  "hsn_code": "2705"
+ }, 
+ {
+  "description": "TAR DISTILLED FROM COAL, FROM LIGNITE OR FROM PEAT AND OTHER MINERAL TARS, WHETHER OR NOT DEHYDRATED OR PARTIALLY DISTILLED, INCLUDING RECONSTITUTED TARS", 
+  "hsn_code": "2706"
+ }, 
+ {
+  "description": "OILS AND OTHER PRODUCTS OF THE DISTILLATION OF HIGH TEMPERATURE COAL TAR, SIMILAR PRODUCTS IN WHICH THE WEIGHT OF THE AROMATIC CONSTITUENTS EXCEEDS THAT OF THE NON-AROMATIC CONSTITUENTS", 
+  "hsn_code": "2707"
+ }, 
+ {
+  "description": "PITCH AND PITCH COKE, OBTAINED FROM COAL TAR OR FROM OTHER MINERAL TARS", 
+  "hsn_code": "2708"
+ }, 
+ {
+  "description": "PITCH AND PITCH COKE, OBTAINED FROM COAL TAR OR FROM OTHER MINERAL TARS", 
+  "hsn_code": "2709"
+ }, 
+ {
+  "description": "PETROLEUM OILS AND OILS OBTAINED FROM BITUMINOUS MINERALS (OTHER THAN CRUDE) AND PREPARATIONS NOT ELSEWHERE SPECIFIED OR INCLUDED, CONTAINING BY WEIGHT 70% OR MORE OF PETROLEUM OILS OR OF OILS OBTAINED FROM BITUMINOUS MINERALS, THESE OILS BEING THE BASIC CONSTITUENTS OF THE PREPARATIONS OTHER THAN THOSE CONTAINING BIODIESEL AND OTHER THAN WASTE OILS", 
+  "hsn_code": "2710"
+ }, 
+ {
+  "description": "PETROLEUM GASES AND OTHER GASEOUS HYDROCARBONS", 
+  "hsn_code": "2711"
+ }, 
+ {
+  "description": "PETROLEUM JELLY, PARAFFIN WAX, MICROCYSTALLINE PETROLEUM WAX, SLACK WAX, OZOKERITE, LIGNITE WAX, PETA WAX, OTHER MINERAL WAXES, AND SIMILAR PRODUCTS OBTAINED BY SYNTHESIS OR BY OTHER PROCESSES, WHETHER OR NOT COLOURED", 
+  "hsn_code": "2712"
+ }, 
+ {
+  "description": "PETROLEUM COKE, PETROLEUM BITUMEN AND OTHER RESIDUES OF PETROLEUM OILS OR OF OILS OBTAINED FROM BITUMINOUS MINERALS", 
+  "hsn_code": "2713"
+ }, 
+ {
+  "description": "BITUMEN AND ASPHALT, NATURAL BITUMINOUS OR OIL SHALE AND TAR SANDS; ASPHALTITES AND ASPHALTIC ROCKS", 
+  "hsn_code": "2714"
+ }, 
+ {
+  "description": "BITUMINOUS MIXTURES BASED ON NATURAL ASPHALT, ON NATURAL BITUMEN, ON PETROLEUM BITUMEN, ON MINERAL TAR OR ON MINERAL TAR PITCH (FOR EXAMPLE, BITUMINOUS MASTICS, CUT BACKS)", 
+  "hsn_code": "2715"
+ }, 
+ {
+  "description": "Electrical Energy", 
+  "hsn_code": "2716"
+ }, 
+ {
+  "description": "Chemicals & Allied Industries", 
+  "hsn_code": "28-38"
+ }, 
+ {
+  "description": "FLUORINE, CHLORINE, BROMINE AND IODINE", 
+  "hsn_code": "2801"
+ }, 
+ {
+  "description": "SULPHUR, SUBLIMED OR PRECIPITATED; COLLOIDAL SULPHUR", 
+  "hsn_code": "2802"
+ }, 
+ {
+  "description": "CARBON (CARBON BLACKS AND OTHER FORMS OF CARBON NOT ELSEWHERE SPECIFIED OR INCLUDED)", 
+  "hsn_code": "2803"
+ }, 
+ {
+  "description": "HYDROGEN, RARE GASES AND OTHER NON-METALS", 
+  "hsn_code": "2804"
+ }, 
+ {
+  "description": "ALKALI OR ALKALINE-EARTH METALS; RARE-EARTH METALS, SCANDIUM AND YTTRIUM, WHETHER OR NOT INTERMIXED OR INTERALLOYED; MERCURY", 
+  "hsn_code": "2805"
+ }, 
+ {
+  "description": "HYDROGEN CHLORIDE (HYDROCHLORIC ACID); CHLOROSULPHURIC ACID", 
+  "hsn_code": "2806"
+ }, 
+ {
+  "description": "SULPHURIC ACID; OLEUM", 
+  "hsn_code": "2807"
+ }, 
+ {
+  "description": "NITRIC ACID; SULPHONITRIC ACIDS", 
+  "hsn_code": "2808"
+ }, 
+ {
+  "description": "DIPHOSPHORUS PENTAOXIDE; PHOSPHORIC ACID; POLYPHOSPHORIC ACIDS WHETHER OR NOT CHEMICALLY DEFINED", 
+  "hsn_code": "2809"
+ }, 
+ {
+  "description": "OXIDES OF BORON; BORIC ACIDS", 
+  "hsn_code": "2810"
+ }, 
+ {
+  "description": "OTHER INORGANIC ACIDS AND OTHER IN-ORGANIC OXYGEN COMPOUNDS OF NON-METALS", 
+  "hsn_code": "2811"
+ }, 
+ {
+  "description": "HALIDES AND HALIDE OXIDES OF NON-METALS", 
+  "hsn_code": "2812"
+ }, 
+ {
+  "description": "SULPHIDES OF NON-METALS; COMMERCIAL PHOSPHORUS TRISULPHIDE", 
+  "hsn_code": "2813"
+ }, 
+ {
+  "description": "AMMONIA, ANHYDROUS OR IN AQUEOUS SOLUTION", 
+  "hsn_code": "2814"
+ }, 
+ {
+  "description": "SODIUM HYDROXIDE (CAUSTIC SODA); POTASSIUM HYDROXIDE (CAUSTIC POTASH); PEROXIDES OF SODIUM OR POTASSIUM", 
+  "hsn_code": "2815"
+ }, 
+ {
+  "description": "HYDROXIDE AND PEROXIDE OF MAGNESIUM; OXIDES, HYDROXIDES AND PEROXIDES, OF STRONTIUM OR BARIUM", 
+  "hsn_code": "2816"
+ }, 
+ {
+  "description": "ZINC OXIDE; ZINC PEROXIDE", 
+  "hsn_code": "2817"
+ }, 
+ {
+  "description": "ARTIFICIAL CORUNDUM, WHETHER OR NOT CHEMICALLY DEFINED; ALUMINIUM OXIDE; ALUMINIUM HYDROXIDE", 
+  "hsn_code": "2818"
+ }, 
+ {
+  "description": "CHROMIUM OXIDES AND HYDROXIDES", 
+  "hsn_code": "2819"
+ }, 
+ {
+  "description": "MANGANESE OXIDES", 
+  "hsn_code": "2820"
+ }, 
+ {
+  "description": "IRON OXIDES AND HYDROXIDES; EARTH COLOURS CONTAINING 70% OR MORE BY WEIGHT OF COMBINED IRON EVALUATED AS FE2O3", 
+  "hsn_code": "2821"
+ }, 
+ {
+  "description": "COBALT OXIDES AND HYDROXIDES; COMMERCIAL COBALT OXIDES", 
+  "hsn_code": "2822"
+ }, 
+ {
+  "description": "TITANIUM OXIDES", 
+  "hsn_code": "2823"
+ }, 
+ {
+  "description": "LEAD OXIDES; RED LEAD AND ORANGE LEAD", 
+  "hsn_code": "2824"
+ }, 
+ {
+  "description": "HYDRAZINE AND HYDROXYLAMINE AND THEIR INORGANIC SALTS; OTHER INORGANIC BASES; OTHER METAL OXIDES, HYDROXIDES AND PEROXIDES", 
+  "hsn_code": "2825"
+ }, 
+ {
+  "description": "FLUORIDES; FLUOROSILICATES, FLUOROALUMINATES AND OTHER COMPLEX FLUORINE SALTS", 
+  "hsn_code": "2826"
+ }, 
+ {
+  "description": "CHLORIDES, CHLORIDE OXIDES AND CHLORIDE HYDROXIDES; BROMIDES AND BROMIDE OXIDES; IODIDES AND IODIDE OXIDES", 
+  "hsn_code": "2827"
+ }, 
+ {
+  "description": "HYPOCHLORITES; COMMERCIAL CALCIUM HYPOCHLORITES; CHLORITES; HYPOBROMITES", 
+  "hsn_code": "2828"
+ }, 
+ {
+  "description": "CHLORATES AND PERCHLORATES; BROMATES AND PERBROMATES; IODATES AND PERIODATES", 
+  "hsn_code": "2829"
+ }, 
+ {
+  "description": "SULPHIDES; POLYSULPHIDES WHETHER OR NOT CHEMICALLY DEFINED", 
+  "hsn_code": "2830"
+ }, 
+ {
+  "description": "DITHIONITES AND SULPHOXYLATES", 
+  "hsn_code": "2831"
+ }, 
+ {
+  "description": "SULPHITES; THIOSULPHATES", 
+  "hsn_code": "2832"
+ }, 
+ {
+  "description": "SULPHATES; ALUMS; PEROXOSULPHATES (PERSULPHATES)", 
+  "hsn_code": "2833"
+ }, 
+ {
+  "description": "NITRITES; NITRATES", 
+  "hsn_code": "2834"
+ }, 
+ {
+  "description": "PHOSPHINATES (HYPOPHOSPHITES), PHOSPHONATES (PHOSPHITES) AND PHOSPHATES; POLYPHOSPHATES WHETHER OR NOT CHEMICALLY DEFINED", 
+  "hsn_code": "2835"
+ }, 
+ {
+  "description": "CARBONATES; PEROXOCARBONATES (PERCARBONATES); COMMERCIAL AMMONIUM CARBONATE CONTAINING AMMONIUM CARBAMATE", 
+  "hsn_code": "2836"
+ }, 
+ {
+  "description": "CYANIDES, CYANIDE OXIDES AND COMPLEX CYANIDES", 
+  "hsn_code": "2837"
+ }, 
+ {
+  "description": "Silicates; commercial alkali metal silicates", 
+  "hsn_code": "2839"
+ }, 
+ {
+  "description": "BORATES; PEROXOBORATES (PERBORATES)", 
+  "hsn_code": "2840"
+ }, 
+ {
+  "description": "SALTS OF OXOMETALLIC OR PEROXOMETALLIC ACIDS", 
+  "hsn_code": "2841"
+ }, 
+ {
+  "description": "OTHER SALTS OF INORGANIC ACIDS OR PEROXOACIDS,(INCLUDING ALUMINOSILICATES, WHETHER OR NOT CHEMICALLY DEFINED), OTHER THAN AZIDES", 
+  "hsn_code": "2842"
+ }, 
+ {
+  "description": "COLLOIDAL PRECIOUS METALS; INORGANIC OR ORGANIC COMPOUNDS OF PRECIOUS METALS, WHETHER OR NOT CHEMICALLY DEFINED; AMALGAMS OF PRECIOUS METALS", 
+  "hsn_code": "2843"
+ }, 
+ {
+  "description": "RADIOACTIVE CHEMICAL ELEMENTS AND RADIOACTIVE ISOTOPES (INCLUDING THE FISSILE OR FERTILE CHEMICAL ELEMENTS AND ISOTOPES) AND THEIR COMPOUNDS; MIXTURES AND RESIDUES CONTAINING THESE PRODUCTS", 
+  "hsn_code": "2844"
+ }, 
+ {
+  "description": "ISOTOPES OTHER THAN THOSE OF HEADING 2844; COMPOUNDS, INORGANIC OR ORGANIC, OF SUCH ISOTOPES, WHETHER OR NOT CHEMICALLY DEFINED", 
+  "hsn_code": "2845"
+ }, 
+ {
+  "description": "COMPOUNDS, INORGANIC OR ORGANIC, OF RARE-EARTH METALS, OF YTTRIUM OR OF SCANDIUM OR OF MIXTURES OF THESE METALS", 
+  "hsn_code": "2846"
+ }, 
+ {
+  "description": "COMPOUNDS, INORGANIC OR ORGANIC, OF RARE-EARTH METALS, OF YTTRIUM OR OF SCANDIUM OR OF MIXTURES OF THESE METALS", 
+  "hsn_code": "2847"
+ }, 
+ {
+  "description": "PHOSPHIDES, WHETHER OR NOT CHEMICALLY DEFINED, EXCLUDING FERROPHOSPHORUS", 
+  "hsn_code": "2848"
+ }, 
+ {
+  "description": "SILICATES; COMMERCIAL ALKALI METAL SILICATES", 
+  "hsn_code": "2849"
+ }, 
+ {
+  "description": "HYDRIDES, NITRIDES, AZIDES, SILICIDES AND BORIDES, WHETHER OR NOT CHEMICALLY DEFINED, OTHER THAN COMPOUNDS WHICH ARE ALSO CARBIDES OF HEADING 2849", 
+  "hsn_code": "2850"
+ }, 
+ {
+  "description": "Inorganic or organic compounds of mercury, whether or not chemically defined, excluding amalgams", 
+  "hsn_code": "2852"
+ }, 
+ {
+  "description": "OTHER INORGANIC COMPOUNDS (INCLUDING DISTILLED OR CONDUCTIVITY  WATER AND WATER OF SIMILAR PURITY); LIQUID AIR (WHETHER OR NOT RARE GASES HAVE BEEN REMOVED); COMPRESSED AIR; AMALGAMS, OTHER THAN AMALGAMS OF PRECIOUS METALS", 
+  "hsn_code": "2853"
+ }, 
+ {
+  "description": "ACYCLIC HYDROCARBONS", 
+  "hsn_code": "2901"
+ }, 
+ {
+  "description": "CYCLIC HYDROCARBONS", 
+  "hsn_code": "2902"
+ }, 
+ {
+  "description": "HALOGENATED DERIVATIVES OF HYDROCARBONS", 
+  "hsn_code": "2903"
+ }, 
+ {
+  "description": "SULPHONATED, NITRATED OR NITROSATED DERIVATIVES OF HYDROCARBONS, WHETHER OR NOT HALOGENATED", 
+  "hsn_code": "2904"
+ }, 
+ {
+  "description": "ACYCLIC ALCOHOLS AND THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2905"
+ }, 
+ {
+  "description": "CYCLIC ALCOHOLS AND THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2906"
+ }, 
+ {
+  "description": "PHENOLS; PHENOL-ALCOHOLS", 
+  "hsn_code": "2907"
+ }, 
+ {
+  "description": "HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES OF PHENOLS OR PHENOL-ALCOHOLS", 
+  "hsn_code": "2908"
+ }, 
+ {
+  "description": "ETHERS, ETHER-ALCOHOLS, ETHER-PHENOLS, ETHER-ALCOHOL-PHENOLS, ALCOHOL PEROXIDES, ETHER PEROXIDES, KETONE PEROXIDES (WHETHER OR NOT CHEMICALLY DEFINED), AND THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2909"
+ }, 
+ {
+  "description": "EPOXIDES, EPOXYALCOHOLS, EPOXYPHENOLS AND EXPOXYETHERS, WITH A THREE-MEMBERED RING, AND THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2910"
+ }, 
+ {
+  "description": "ACETALS AND HEMIACETALS, WHETHER OR NOT WITH OTHER OXYGEN FUNCTION, AND THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2911"
+ }, 
+ {
+  "description": "Adelaide\u2019s, WHETHER OR NOT WITH OTHER OXYGEN FUNCTION; CYCLIC POLYMERS OFALDEHYDES; PARAFORMALDEHYDE", 
+  "hsn_code": "2912"
+ }, 
+ {
+  "description": "HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES OF PRODUCTS OF HEADING 2912", 
+  "hsn_code": "2913"
+ }, 
+ {
+  "description": "KETONES AND QUINONES, WHETHER OR NOT WITH OTHER OXYGEN FUNCTION, AND THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2914"
+ }, 
+ {
+  "description": "SATURATED ACYCLIC MONOCARBOXYLIC ACIDS AND THEIR ANHYDRIDES, HALIDES, PEROXIDES AND PEROXYACIDS; THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2915"
+ }, 
+ {
+  "description": "UNSATURATED ACYCLIC MONOCARBOXYLIC ACIDS, CYCLIC MONOCARBOXYLIC ACIDS, THEIR ANHYDRIDES, HALIDES, PEROXIDES AND PEROXYACIDS; THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2916"
+ }, 
+ {
+  "description": "POLYCARBOXYLIC ACIDS, THEIR ANHYDRIDES, HALIDES, PEROXIDES AND PEROXYACIDS; THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2917"
+ }, 
+ {
+  "description": "CARBOXYLIC ACIDS WITH ADDITIONAL OXYGEN FUNCTION AND THEIR ANHYDRIDES, HALIDES, PEROXIDES AND PEROXYACIDS; THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2918"
+ }, 
+ {
+  "description": "PHOSPHORIC ESTERS AND THEIR SALTS, INCLUDING LACTO-PHOSPHATES; THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2919"
+ }, 
+ {
+  "description": "ESTERS OF OTHER INORGANIC ACIDS OF NON-METALS (EXCLUDING ESTERS OF HYDROGEN HALIDES) AND THEIR SALTS; THEIR HALOGENATED, SULPHONATED, NITRATED OR NITROSATED DERIVATIVES", 
+  "hsn_code": "2920"
+ }, 
+ {
+  "description": "AMINE FUNCTION COMPOUNDS", 
+  "hsn_code": "2921"
+ }, 
+ {
+  "description": "OXYGEN-FUNCTION AMINO-COMPOUNDS", 
+  "hsn_code": "2922"
+ }, 
+ {
+  "description": "QUATERNARY AMMONIUM SALTS AND HYDROXIDE; LECITHINS AND OTHER PHOSPHOAMINOLIPIDS, WHETHER OR NOT CHEMICALLY DEFINED", 
+  "hsn_code": "2923"
+ }, 
+ {
+  "description": "CARBOXYAMIDE-FUNCTION COMPOUNDS; AMIDE-FUNCTION COMPOUNDS OF CARBONIC ACID", 
+  "hsn_code": "2924"
+ }, 
+ {
+  "description": "Carboxyimide-function compounds (including saccharin and its salts) and imine-function compounds", 
+  "hsn_code": "2925"
+ }, 
+ {
+  "description": "NITRILE-FUNCTION COMPOUNDS", 
+  "hsn_code": "2936"
+ }, 
+ {
+  "description": "DIAZO-, AZO- OR AZOXY- COMPOUNDS", 
+  "hsn_code": "2927"
+ }, 
+ {
+  "description": "ORGANIC DERIVATIVES OF HYDRAZINE OR OF HYDROXYLAMINE", 
+  "hsn_code": "2928"
+ }, 
+ {
+  "description": "COMPOUNDS WITH OTHER NITROGEN FUNCTION", 
+  "hsn_code": "2929"
+ }, 
+ {
+  "description": "ORGANO-SULPHUR COMPOUNDS", 
+  "hsn_code": "2930"
+ }, 
+ {
+  "description": "OTHER ORGANO-INORGANIC COMPOUNDS", 
+  "hsn_code": "2931"
+ }, 
+ {
+  "description": "HETEROCYCLIC COMPOUNDS WITH OXYGEN HETERO-ATOM (S) ONLY", 
+  "hsn_code": "2932"
+ }, 
+ {
+  "description": "Heterocyclic compounds with nitrogen hetero-atom(s) only", 
+  "hsn_code": "2933"
+ }, 
+ {
+  "description": "NUCLEIC ACIDS AND THEIR SALTS;WHETHER OR NOT CHEMICALLY DEFINED; OTHER HETEROCYCLIC COMPOUNDS", 
+  "hsn_code": "2934"
+ }, 
+ {
+  "description": "SULPHONAMIDES", 
+  "hsn_code": "2935"
+ }, 
+ {
+  "description": "PROVITAMINS AND VITAMINS, NATURAL OR REPRODUCTED BY SYNTHESIS (INCLUDING NATURAL CONCENTRATES), DERIVATIVES THEREOF USED PRIMARILY AS VITAMINS, AND INTERMIXTURES OF THE FOREGOING, WHETHER OR NOT IN ANY SOLVENT", 
+  "hsn_code": "2936"
+ }, 
+ {
+  "description": "HORMONES, PROSTAGLANDINS, THROMBOXANES AND LEUKOTRIENES, NATURAL OR REPRODUCED BY SYNTHESIS; DERIVATIVES AND STRUCTURAL ANALOGUES THEREOF, INCLUDING CHAIN MODIFIED POLYPEPTIDES, USED PRIMARILY AS HORMONES", 
+  "hsn_code": "2937"
+ }, 
+ {
+  "description": "GLYCOSIDES, NATURAL OR REPRODUCED BY SYNTHESIS AND THEIR SALTS, ETHERS, ESTERS AND OTHER DERIVATIVES", 
+  "hsn_code": "2938"
+ }, 
+ {
+  "description": "VEGETABLE ALKALOIDS, NATURAL OR REPRODUCED BY SYNTHESIS, AND THEIR SALTS, ETHERS, ESTERS AND OTHER DERIVATIVES", 
+  "hsn_code": "2939"
+ }, 
+ {
+  "description": "VEGETABLE ALKALOIDS, NATURAL OR REPRODUCED BY SYNTHESIS, AND THEIR SALTS, ETHERS, ESTERS AND OTHER DERIVATIVES", 
+  "hsn_code": "2940"
+ }, 
+ {
+  "description": "ANTIBIOTICS", 
+  "hsn_code": "2941"
+ }, 
+ {
+  "description": "OTHER ORGANIC COMPOUNDS", 
+  "hsn_code": "2942"
+ }, 
+ {
+  "description": "GLANDS AND OTHER ORGANS FOR ORGANO-THERAPEUTIC USES, DRIED, WHETHER OR NOT POWDERED; EXTRACTS OF GLANDS OR OTHER ORGANS OR OF THEIR SECRETIONS FOR ORGANO-THERAPEUTIC USES; HEPARIN AND ITS SALTS; OTHER HUMAN OR ANIMAL SUBSTANCES PREPARED FOR THERAPEUTIC OR PROPHYLACTIC USES, NOTELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3001"
+ }, 
+ {
+  "description": "HUMAN BLOOD; ANIMAL BLOOD PREPARED FOR THERAPEUTIC, PROPHYLACTIC OR DIAGNOSTIC USES; ANTISERA AND OTHER BLOOD FRACTIONS AND IMMUNOLOGICAL PRODUCTS, WHETHER OR NOT MODIFIED OR OBTAINED BY MEANS OF BIOTECHNOLOGICAL PROCESSES; VACCINES, TOXINS, CULTURES OF MICRO-ORGANISMS (EXCLUDING YEASTS) AND SIMILAR PRODUCTS", 
+  "hsn_code": "3002"
+ }, 
+ {
+  "description": "MEDICAMENTS(EXCLUDING GOODS OF HEADING 3002,3005 OR 3006) CONSISTING OF TWO OR MORE CONSTITUENTS WHICH HAVE BEEN MIXED TOGETHER FOR THERAPEUTIC OR PROPHYLACTIC USES, NOT PUT UP IN MEASURED DOSES OR IN FORMS OR PACKINGS FOR RETAIL SALE", 
+  "hsn_code": "3003"
+ }, 
+ {
+  "description": "MEDICAMENTS(EXCLUDING GOODS OF HEADING 3002, 3005 OR 3006) CONSISTING OF MIXED OR UNMIXED PRODUCTS FOR THERAPEUTIC OR PROPHYLACTIC USES, PUT UP IN MEASURED DOSES (INCLUDING THOSE IN THE FORM OF TRANSDERMAL ADMINISTRATION SYSTEMS) OR IN FORMS OR PACKINGS FOR RETAIL SALE", 
+  "hsn_code": "3004"
+ }, 
+ {
+  "description": "WADDING, GAUZE, BANDAGES AND SIMILAR ARTICLES (FOR EXAMPLE, DRESSINGS, ADHESIVE PLASTERS, POULTICES), IMPREGNATED OR COATED WITH PHARMACEUTICAL SUBSTANCES OR PUT UP IN FORMS OR PACKINGS FOR RETAIL SALE FOR MEDICAL, SURGICAL, DENTAL OR VETERINARY PURPOSES", 
+  "hsn_code": "3005"
+ }, 
+ {
+  "description": "PHARMACEUTICAL GOODS SPECIFIED IN NOTE 4 TO THIS CHAPTER", 
+  "hsn_code": "3006"
+ }, 
+ {
+  "description": "ANIMAL OR VEGETABLE FERTILISERS, WHETHER OR NOT MIXED TOGETHER OR CHEMICALLY TREATED; FERTILISERS PRODUCED BY THE MIXING OR CHEMICAL TREATMENT OF ANIMAL OR VEGETABLE PRODUCTS", 
+  "hsn_code": "3101"
+ }, 
+ {
+  "description": "MINERAL OR CHEMICAL FERTILISERS, NITROGENOUS", 
+  "hsn_code": "3102"
+ }, 
+ {
+  "description": "MINERAL OR CHEMICAL FERTILISERS, PHOSPHATIC", 
+  "hsn_code": "3103"
+ }, 
+ {
+  "description": "MINERAL OR CHEMICAL FERTILISERS, POTASSIC", 
+  "hsn_code": "3104"
+ }, 
+ {
+  "description": "MINERAL OR CHEMICAL FERTILISERS CONTAINING TWO OR THREE OF THE FERTILISING ELEMENTS NITROGEN, PHOSPHORUS AND POTASSIUM; OTHER FERTILISERS; GOODS OF THIS CHAPTER IN TABLETS OR SIMILAR FORMS OR IN PACKAGES OF A GROSS WEIGHT NOT EXCEEDING 10 KG", 
+  "hsn_code": "3105"
+ }, 
+ {
+  "description": "TANNING EXTRACTS OF VEGETABLE ORIGIN; TANNINS AND THEIR SALTS, ETHERS, ESTERS AND OTHER DERIVATIVES", 
+  "hsn_code": "3201"
+ }, 
+ {
+  "description": "SYNTHETIC ORGANIC TANNING SUBSTANCES; INORGANIC TANNING SUBSTANCES; TANNING PREPARATIONS,WHETHER OR NOT CONTAINING NATURAL TANNING SUBSTANCES; ENZYMATIC PREPARATIONS FOR PRE-TANNING", 
+  "hsn_code": "3202"
+ }, 
+ {
+  "description": "COLOURING MATTER OF VEGETABLE OR ANIMAL ORIGIN (INCLUDING DYEING EXTRACTS BUT EXCLUDING ANIMAL BLACK), WHETHER OR NOT CHEMICALLY DEFINED; PREPARATIONS AS SPECIFIED IN NOTE 3 TO THIS CHAPTER BASED ON COLOURING MATTER OF VEGETABLE OR ANIMAL ORIGIN", 
+  "hsn_code": "3203"
+ }, 
+ {
+  "description": "SYNTHETIC ORGANIC COLOURING MATTER, WHETHER OR NOT CHEMICALLY DEFINED; PREPARATIONS AS SPECIFIED IN NOTE 3 TO THIS CHAPTER BASED ON SYNTHETIC ORGANIC COLOURING MATTER; SYNTHETIC ORGANIC PRODUCTS OF A KIND USED AS FLUORESCENT BRIGHTENING Agens OR AS LUMINOPHORES, WHETHER OR NOT CHEMICALLY DEFINED. SYNTHETIC ORGANIC COLOURING MATTER AND PREPARATIONS BASED THEREON AS SPECIFIED IN NOTE 3 TO THIS CHAPTER:", 
+  "hsn_code": "3204"
+ }, 
+ {
+  "description": "SYNTHETIC ORGANIC COLOURING MATTER, WHETHER OR NOT CHEMICALLY DEFINED; PREPARATIONS AS SPECIFIED IN NOTE 3 TO THIS CHAPTER BASED ON SYNTHETIC ORGANIC COLOURING MATTER; SYNTHETIC ORGANIC PRODUCTS OF A KIND USED AS FLUORESCENT BRIGHTENING Agens OR AS LUMINOPHORES, WHETHER OR NOT CHEMICALLY DEFINED. SYNTHETIC ORGANIC COLOURING MATTER AND PREPARATIONS BASED THEREON AS SPECIFIED IN NOTE 3 TO THIS CHAPTER:", 
+  "hsn_code": "3205"
+ }, 
+ {
+  "description": "OTHER COLOURING MATTER; PREPARATIONS AS SPECIFIED IN NOTE 3 TO THIS CHAPTER, OTHER THAN THOSE OF HEADINGS 3203, 3204 OR 3205; INORGANIC PRODUCTS OF A KIND USED AS LUMINOPHORES, WHETHER OR NOT CHEMICALLY DEFINED", 
+  "hsn_code": "3206"
+ }, 
+ {
+  "description": "PREPARED PIGMENTS, PREPARATED OPACIFIERS AND PREPARED COLOURS, VITRIFIABLE ENAMELS AND GLAZES, ENGOBES (SLIPS), LIQUID LUSTRES AND SIMILAR PREPARATIONS, OF A KIND USED IN THE CERAMIC ENAMELLING OR GLASS INDUSTRY; GLASS FRIT AND OTHER GLASS, IN THE FORM OF POWDER, GRANULES OR FLAKES", 
+  "hsn_code": "3207"
+ }, 
+ {
+  "description": "PAINTS AND VARNISHES (INCLUDING ENAMELS AND LACQUERS) BASED ON SYNTHETIC POLYMERS OR CHEMICALLY MODIFIED NATURAL POLYMERS, DISPERSED OR DISSOLVED IN A NON-AQUEOUS MEDIUM; SOLUTIONS AS DEFINED IN NOTE 4 TO THIS CHAPTER", 
+  "hsn_code": "3208"
+ }, 
+ {
+  "description": "Paints and varnishes (including enamels and lacquers) based on synthetic or chemically modified natural polymers, dispersed or dissolved in an aqueous medium", 
+  "hsn_code": "3209"
+ }, 
+ {
+  "description": "OTHER PAINTS AND VARNISHES (INCLUDING ENAMELS, LACQUERS AND DISTEMPERS); PREPARED WATER PIGMENTS OF A KIND USED FOR FINISHING LEATHER", 
+  "hsn_code": "3210"
+ }, 
+ {
+  "description": "OTHER PAINTS AND VARNISHES (INCLUDING ENAMELS, LACQUERS AND DISTEMPERS); PREPARED WATER PIGMENTS OF A KIND USED FOR FINISHING LEATHER", 
+  "hsn_code": "3211"
+ }, 
+ {
+  "description": "PIGMENTS (INCLUDING METALLIC POWDERS AND FLAKES) DISPERSED IN NON-AQUEOUS MEDIA, IN LIQUID OR PASTE FORM, OF A KIND USED IN THE MANUFACTURE OF PAINTS (INCLUDING ENAMELS); STAMPING FOILS; DYES AND OTHER COLOURING MATTER PUT UP IN FORMS OR PACKINGS FOR RETAIL SALE", 
+  "hsn_code": "3212"
+ }, 
+ {
+  "description": "ARTISTS, STUDENTS, SIGNBOARD PAINTERS COLOURS, MODIFYING TINTS, AMUSEMENT COLOURS AND THE LIKE, IN TABLETS, TUBES, JARS, BOTTLES, PANS OR IN SIMILAR FORMS OR PACKINGS", 
+  "hsn_code": "3213"
+ }, 
+ {
+  "description": "GLAZIERS PUTTY, GRAFTING PUTTY, RESIN CEMENTS, CAULKING COMPOUNDS AND OTHER MASTICS; PAINTERS\u2019 FILLINGS; NON-REFRACTORY SURFACING PREPARATIONS FOR FACADES, INDOOR WALLS, FLOORS, CEILINGS OR THE LIKE", 
+  "hsn_code": "3214"
+ }, 
+ {
+  "description": "PRINTING INK, WRITING OR DRAWING INK AND OTHER INKS, WHETHER OR NOT CONCENTRATED OR SOLID", 
+  "hsn_code": "3215"
+ }, 
+ {
+  "description": "ESSENTIAL OILS (TERPENELESS OR NOT), INCLUDING CONCRETES AND ABSOLUTES; RESINOIDS; EXTRACTED OLEORESINS; CONCENTRATES OF ESSENTIAL OILS IN FATS, IN FIXED OILS, IN WAXES OR THE LIKE, OBTAINED BY ENFLEURAGE OR MACERATION; TERPENIC BY-PRODUCTS OF THE DETERPENATION OF ESSENTIAL OILS; AQUEOUS DISTILLATES AND AQUEOUS SOLUTIONS OF ESSENTIAL OILS", 
+  "hsn_code": "3301"
+ }, 
+ {
+  "description": "MIXTURES OF ODORIFEROUS SUBSTANCES AND MIXTURES (INCLUDING ALCOHOLIC SOLUTIONS) WITH A BASIS OF ONE OR MORE OF THESE SUBSTANCES, OF A KIND USED AS RAW MATERIALS IN INDUSTRY; OTHER PREPARATIONS BASED ON ODORIFEROUS SUBSTANCES, OF A KIND USED FOR THE MANUFACTURE OF BEVERAGES", 
+  "hsn_code": "3302"
+ }, 
+ {
+  "description": "PERFUMES AND TOILET WATERS", 
+  "hsn_code": "3303"
+ }, 
+ {
+  "description": "BEAUTY OR MAKE-UP PREPARATIONS AND PREPARATIONS FOR THE CARE OF THE SKIN (OTHER THAN MEDICAMENTS), INCLUDING SUNSCREEN OR SUNTAN PREPARATIONS; MANICURE OR PEDICURE PREPARATIONS", 
+  "hsn_code": "3304"
+ }, 
+ {
+  "description": "Preparations for use on the hair", 
+  "hsn_code": "3305"
+ }, 
+ {
+  "description": "PREPARATIONS FOR ORAL OR DENTAL HYGIENE, INCLUDING DENTURE FIXATIVE PASTES AND POWDERS; YARN USED TO CLEAN BETWEEN THE TEETH (DENTAL FLOSS), IN INDIVIDUAL RETAIL PACKAGES", 
+  "hsn_code": "3306"
+ }, 
+ {
+  "description": "PRE-SHAVE, SHAVING OR AFTER-SHAVE PREPARATIONS, PERSONAL DEODORANTS, BATH PREPARATIONS, DEPILATORIES AND OTHER PERFUMERY, COSMETIC OR TOILET PREPARATIONS, NOT ELSEWHERE SPECIFIED OR INCLUDED, PREPARED ROOM DEODORISERS, WHETHER OR NOT PERFUMED OR HAVING DISINFECTANT PROPERTIES", 
+  "hsn_code": "3307"
+ }, 
+ {
+  "description": "SOAP; ORGANIC SURFACE-ACTIVE PRODUCTS AND PREPARATIONS FOR USE AS SOAP, IN THE FORM OF BARS, CAKES, MOULDED PIECES OR SHAPES, WHETHER OR NOT CONTAINING SOAP; ORGANIC SURFACE ACTIVE PRODUCTS AND PREPARATIONS FOR WASHING THE SKIN, IN THE FORM OF LIQUID OR CREAM AND PUT UP FOR RETAIL SALE, WHETHER OR NOT CONTAINING SOAP; PAPER, WADDING, FELT AND NONWOVENS, IMPREGNATED, COATED OR COVERED WITH SOAP OR DETERGENT", 
+  "hsn_code": "3401"
+ }, 
+ {
+  "description": "ORGANIC SURFACE-ACTIVE AGENTS (OTHER THAN SOAP), SURFACE-ACTIVE PREPARATIONS, WASHING PREPARATIONS (INCLUDING AUXILIARY WASHING PREPARATIONS) AND CLEANING PREPARATIONS, WHETHER OR NOT CONTAINING SOAP, OTHER THAN THOSE OF HEADING 3401", 
+  "hsn_code": "3402"
+ }, 
+ {
+  "description": "LUBRICATING PREPARATIONS (INCLUDING CUTTING-OIL PREPARATIONS, BOLT OR NUT RELEASE PREPARATIONS, ANTI-RUST OR ANTI-CORROSION PREPARATIONS AND MOULD RELEASE PREPARATIONS, BASED ON LUBRICANTS) AND PREPARATIONS OF A KIND USED FOR THE OIL OR GREASE TREATMENT OF TEXTILE MATERIALS, LEATHER, FURSKINS OR OTHER MATERIALS, BUT EXCLUDING PREPARATIONS CONTAINING, AS BASIC CONSTITUENTS, 70 % OR MORE BY WEIGHT OF PETROLEUM OILS OR OF OILS OBTAINED FROM BITUMINOUS MINERALS", 
+  "hsn_code": "3403"
+ }, 
+ {
+  "description": "ARTIFICIAL WAXES AND PREPARED WAXES", 
+  "hsn_code": "3404"
+ }, 
+ {
+  "description": "POLISHES AND CREAMS, FOR FOOTWEAR, FURNITURE,FLOORS, COACHWORK, GLASS OR METAL, SCOURING PASTES AND POWDERS AND SIMILAR PREPARATIONS (WHETHER OR NOT IN THE FORM OF PAPER, WADDING, FELT, NONWOVENS, CELLULAR PLASTICS OR CELLULAR RUBBER, IMPREGNATED, COATED OR COVERED WITH SUCH PREPARATIONS), EXCLUDING WAXES OF HEADING 3404", 
+  "hsn_code": "3405"
+ }, 
+ {
+  "description": "CANDLES, TAPERS AND THE LIKE", 
+  "hsn_code": "3406"
+ }, 
+ {
+  "description": "MODELLING PASTES, INCLUDING THOSE PUT UP FOR CHILDREN\u2019S AMUSEMENT; PREPARATIONS KNOWN AS \u201cDENTAL WAX\u201d OR AS \u201cDENTAL IMPRESSION COMPOUNDS\u201d, PUT UP IN SETS, IN PACKINGS FOR RETAIL SALE OR IN PLATES, HORSESHOE SHAPES, STICKS OR SIMILAR FORMS; OTHER PREPARATIONS FOR USE IN DENTISTRY, WITH A BASIS OF PLASTER (OF CALCINED GYPSUM OR CALCIUM SULPHATE)", 
+  "hsn_code": "3407"
+ }, 
+ {
+  "description": "CASEIN, CASEINATES AND OTHER CASEIN DERIVATIVES; CASEIN GLUES", 
+  "hsn_code": "3501"
+ }, 
+ {
+  "description": "albumin\u2019s (INCLUDING CONCENTRATES OF TWO OR MORE WHEY PROTEINS, CONTAINING BY WEIGHT MORE THAN 80% WHEY PROTEINS, CALCULATED ON THE DRY MATTER), ALBUMINATES AND OTHER ALBUMIN DERIVATIVES", 
+  "hsn_code": "3502"
+ }, 
+ {
+  "description": "GELATIN [INCLUDING GELATIN IN RECTANGULAR (INCLUDING SQUARE) SHEETS, WHETHER OR NOT SURFACE-WORKED OR COLOURED] AND GELATIN DERIVATIVES; ISINGLASS; OTHER GLUES OF ANIMAL ORIGIN, EXCLUDING CASEIN GLUES OF HEADING 3501", 
+  "hsn_code": "3503"
+ }, 
+ {
+  "description": "PEPTONES AND THEIR DERIVATIVES; OTHER PROTEIN SUBSTANCES AND THEIR DERIVATIVES, NOT ELSEWHERE SPECIFIED OR INCLUDED; HIDE POWDER, WHETHER OR NOT CHROMED", 
+  "hsn_code": "3504"
+ }, 
+ {
+  "description": "DEXTRINS AND OTHER MODIFIED STARCHES (FOR EXAMPLE, PREGELATINISED OR ESTERIFIED STARCHES); GLUES BASED ON STARCHES, OR ON DEXTRINS OR OTHER MODIFIED STARCHES", 
+  "hsn_code": "3505"
+ }, 
+ {
+  "description": "PREPARED GLUES AND OTHER PREPARED ADHESIVES, NOT ELSEWHERE SPECIFIED OR INCLUDED; PRODUCTS SUITABLE FOR USE AS GLUES OR ADHESIVES, PUT UP FOR RETAIL SALE AS GLUES OR ADHESIVES, NOT EXCEEDING A NET WEIGHT OF 1 KG", 
+  "hsn_code": "3506"
+ }, 
+ {
+  "description": "ENZYMES; PREPARED ENZYMES NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3507"
+ }, 
+ {
+  "description": "PROPELLANT POWDERS", 
+  "hsn_code": "3601"
+ }, 
+ {
+  "description": "PREPARED EXPLOSIVES, OTHER THAN PROPELLANT POWDERS", 
+  "hsn_code": "3602"
+ }, 
+ {
+  "description": "SAFETY FUSES; DETONATING FUSES; PERCUSSION OR DETONATING CAPS; IGNITERS; ELECTRIC DETENATORS", 
+  "hsn_code": "3603"
+ }, 
+ {
+  "description": "FIREWORKS, SIGNALLING FLARES, RAIN ROCKETS, FOG SIGNALS AND OTHER PYROTECHNIC ARTICLES", 
+  "hsn_code": "3604"
+ }, 
+ {
+  "description": "MATCHES; OTHER THAN PYROTECHNIC ARTICLES OF HEADING 3604", 
+  "hsn_code": "3605"
+ }, 
+ {
+  "description": "FERRO-CERIUM AND OTHER PYROPHORIC ALLOYS IN ALL FORMS; ARTICLES OF COMBUSTIBLE MATERIALS AS SPECIFIED IN NOTE 2 TO THIS CHAPTER", 
+  "hsn_code": "3606"
+ }, 
+ {
+  "description": "PHOTOGRAPHIC PLATES AND FILM IN THE FLAT, SENSITISED, UNEXPOSED, OF ANY MATERIAL OTHER THAN PAPER, PAPERBOARD OR TEXTILES; INSTANT PRINT-FILM IN THE FLAT, SENSITISED, UNEXPOSED, WHETHER OR NOT IN PACKS", 
+  "hsn_code": "3701"
+ }, 
+ {
+  "description": "PHOTOGRAPHIC FILM IN ROLLS, SENSITISED, UNEXPOSED, OF ANY MATERIAL OTHER THAN PAPER, PAPERBOARD OR TEXTILES; INSTANT PRINT FILM IN ROLLS, SENSITISED, UNEXPOSED", 
+  "hsn_code": "3702"
+ }, 
+ {
+  "description": "PHOTOGRAPHIC PAPER, PAPER BOARD AND TEXTILES SENSITISED, UNEXPOSED", 
+  "hsn_code": "3703"
+ }, 
+ {
+  "description": "PHOTOGRAPHIC PLATES, FILM, PAPER, PAPER BOARD AND TEXTILES, EXPOSED BUT NOT DEVELOPED", 
+  "hsn_code": "3704"
+ }, 
+ {
+  "description": "PHOTOGRAPHIC PLATES AND FILM, EXPOSED AND DEVELOPED,OTHER THAN CINEMATOGRAPHIC FILM", 
+  "hsn_code": "3705"
+ }, 
+ {
+  "description": "CINEMATOGRAPHIC FILM, EXPOSED AND DEVELOPED, WHETHER OR NOT INCORPORATING SOUND TRACK OR CONSISTING ONLY OF SOUND TRACK", 
+  "hsn_code": "3706"
+ }, 
+ {
+  "description": "CHEMICAL PREPARATIONS FOR PHOTOGRAPHIC USES (OTHER THAN VARNISHES, GLUES, ADHESIVES AND SIMILAR PREPARATIONS); UNMIXED PRODUCTS FOR PHOTOGRAPHIC USES, PUT UP IN MEASURED PORTIONS OR PUT UP FOR RETAIL SALE IN A FORM READY FOR USE", 
+  "hsn_code": "3707"
+ }, 
+ {
+  "description": "ARTIFICIAL GRAPHITE; COLLOIDAL OR SEMI-COLLOIDAL GRAPHITE;PREPARATIONS BASED ON GRAPHITE OR OTHER CARBON IN THE FORM OF PASTES, BLOCKS, PLATES OR OTHER SEMI-MANUFACTURES", 
+  "hsn_code": "3801"
+ }, 
+ {
+  "description": "ACTIVATED CARBON; ACTIVATED NATURAL MINERAL PRODUCTS; ANIMAL BLACK, INCLUDING SPENT ANIMAL BLACK", 
+  "hsn_code": "3802"
+ }, 
+ {
+  "description": "Tall oil, whether or not refined", 
+  "hsn_code": "3803"
+ }, 
+ {
+  "description": "RESIDUAL LYES FOR THE MANUFACTURE OF WOOD PULP, WHETHER OR NOT CONCENTRATED, DESUGARED OR CHEMICALLY TREATED, INCLUDING LIGNIN SULPHONATES, BUT EXCLUDING TALL OIL OF HEADING 3803", 
+  "hsn_code": "3804"
+ }, 
+ {
+  "description": "GUM, WOOD OR SULPHATE TURPENTINE AND OTHER TERPENIC OILS PRODUCED BY THE DISTILLATION OR OTHER TREATMENT OF CONIFEROUS WOODS; CRUDE DIPENTENE; SULPHITE TURPENTINE AND OTHER CRUDE PARACYMENE; PINE OIL CONTAINING ALPHA-TERPINEOL AS THE MAIN CONSTITUENT", 
+  "hsn_code": "3805"
+ }, 
+ {
+  "description": "ROSIN AND RESIN ACIDS, AND DERIVATIVES THEREOF; ROSIN SPIRIT AND ROSIN OILS; RUN GUMS", 
+  "hsn_code": "3806"
+ }, 
+ {
+  "description": "WOOD TAR; WOOD TAR OILS; WOOD CREOSOTE; WOOD NAPHTHA; VEGETABLE PITCH; BREWERS\u2019 PITCH AND SIMILAR PREPARATIONS BASED ON ROSIN, RESIN ACIDS OR ON VEGETABLE PITCH", 
+  "hsn_code": "3807"
+ }, 
+ {
+  "description": "INSECTICIDES, RODENTICIDES, FUNGICIDES, HERBICIDES, ANTI-SPROUTING PRODUCTS AND PLANT-GROWTH REGULATORS, DISINFECTANTS AND SIMILAR PRODUCTS, PUT UP IN FORMS OR PACKINGS FOR RETAIL SALE OR AS PREPARATIONS OR ARTICLES (FOR EXAMPLE, SULPHUR-TREATED BANDS,WICKS AND CANDLES, AND FLY-PAPERS)", 
+  "hsn_code": "3808"
+ }, 
+ {
+  "description": "FINISHING AGENTS, DYE CARRIERS TO ACCELERATE THE DYEING OR FIXING OF DYE-STUFFS AND OTHER PRODUCTS AND PREPARATIONS (FOR EXAMPLE, DRESSINGS AND MORDANTS), OF A KIND USED IN THE TEXTILE, PAPER, LEATHER OR LIKE INDUSTRIES, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3809"
+ }, 
+ {
+  "description": "PICKLING PREPARATIONS FOR METAL SURFACES; FLUXES AND OTHER AUXILIARY PREPARATIONS FOR SOLDERING, BRAZING OR WELDING;SOLDERING, BRAZING OR WELDING POWDERS AND PASTES CONSISTING OF METAL AND OTHER MATERIALS; PREPARATIONS OF A KIND USED AS CORES OR COATINGS FOR WELDING ELECTRODES OR RODS", 
+  "hsn_code": "3810"
+ }, 
+ {
+  "description": "ANTI-KNOCK PREPARATIONS, OXIDATION INHIBITORS, GUM INHIBITORS, VISCOSITY IMPROVERS, ANTI-CORROSIVE PREPARATIONS AND OTHER PREPARED ADDITIVES, FOR MINERAL OILS (INCLUDING GASOLINE) OR FOR OTHER LIQUIDS USED FOR THE SAME PURPOSES AS MINERAL OILS", 
+  "hsn_code": "3811"
+ }, 
+ {
+  "description": "PREPARED RUBBER ACCELERATORS; COMPOUND PLASTICISERS FOR RUBBER OR PLASTICS, NOT ELSEWHERE SPECIFIED OR INCLUDED; ANTI-OXIDISING PREPARATIONS AND OTHER COMPOUND STABILISERS FOR RUBBER OR PLASTICS", 
+  "hsn_code": "3812"
+ }, 
+ {
+  "description": "PREPARED RUBBER ACCELERATORS; COMPOUND PLASTICISERS FOR RUBBER OR PLASTICS, NOT ELSEWHERE SPECIFIED OR INCLUDED; ANTI-OXIDISING PREPARATIONS AND OTHER COMPOUND STABILISERS FOR RUBBER OR PLASTICS", 
+  "hsn_code": "3813"
+ }, 
+ {
+  "description": "ORGANIC COMPOSITE SOLVENTS AND THINNERS, NOT ELSEWHERE SPECIFIED OR INCLUDED; PREPARED PAINT OR VARNISH REMOVERS", 
+  "hsn_code": "3814"
+ }, 
+ {
+  "description": "REACTION INITIATORS, REACTION ACCELERATORS AND CATALYTIC PREPARATIONS, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3815"
+ }, 
+ {
+  "description": "REACTION INITIATORS, REACTION ACCELERATORS AND CATALYTIC PREPARATIONS, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3816"
+ }, 
+ {
+  "description": "MIXED Alkylbenzenes AND MIXED Alkylnaphthalenes, OTHER THAN THOSE OF HEADING 2707 OR 2902", 
+  "hsn_code": "3817"
+ }, 
+ {
+  "description": "CHEMICAL ELEMENTS DOPED FOR USE IN ELECTRONICS, IN THE FORM OF DISCS, WAFERS OR SIMILAR FORMS; CHEMICAL COMPOUNDS DOPED FOR USE IN ELECTRONICS", 
+  "hsn_code": "3818"
+ }, 
+ {
+  "description": "HYDRAULIC BRAKE FLUIDS AND OTHER PREPARED LIQUIDS FOR HYDRAULIC TRANSMISSION, NOT CONTAINING OR CONTAINING LESS THAN 70% BY WEIGHT OF PETROLEUM OILS OR OILS OBTAINED FROM BITUMINOUS MINERALS", 
+  "hsn_code": "3819"
+ }, 
+ {
+  "description": "HYDRAULIC BRAKE FLUIDS AND OTHER PREPARED LIQUIDS FOR HYDRAULIC TRANSMISSION, NOT CONTAINING OR CONTAINING LESS THAN 70% BY WEIGHT OF PETROLEUM OILS OR OILS OBTAINED FROM BITUMINOUS MINERALS", 
+  "hsn_code": "3820"
+ }, 
+ {
+  "description": "HYDRAULIC BRAKE FLUIDS AND OTHER PREPARED LIQUIDS FOR HYDRAULIC TRANSMISSION, NOT CONTAINING OR CONTAINING LESS THAN 70% BY WEIGHT OF PETROLEUM OILS OR OILS OBTAINED FROM BITUMINOUS MINERALS", 
+  "hsn_code": "3821"
+ }, 
+ {
+  "description": "DIAGNOSTIC OR LABORATORY REAGENTS ON A BACKING,  PREPARED DIAGNOSTIC OR LABORATORY REAGENTS WHETHER OR NOT ON A BACKING, OTHER THAN THOSE OF HEADING 3002 OR 3006; CERTIFIED REFERENCE MATERIALS", 
+  "hsn_code": "3822"
+ }, 
+ {
+  "description": "INDUSTRIAL MONOCARBOXYLIC FATTY ACIDS; ACID OILS FROM REFINING; INDUSTRIAL FATTY ALCOHOLS", 
+  "hsn_code": "3823"
+ }, 
+ {
+  "description": "PREPARED BINDERS FOR FOUNDRY MOULDS OR CORES; CHEMICAL PRODUCTS AND PREPARATIONS OF THE CHEMICAL OR ALLIED INDUSTRIES (INCLUDING THOSE CONSISTING OF MIXTURES OF NATURAL PRODUCTS), NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3824"
+ }, 
+ {
+  "description": "RESIDUAL PRODUCTS OF THE CHEMICAL OR ALLIED INDUSTRIES, NOT ELSEWHERE SPECIFIED OR INCLUDED; MUNICIPAL WASTE; SEWAGE SLUDGE; OTHER WASTES SPECIFIED IN NOTE 6 TO THIS CHAPTER", 
+  "hsn_code": "3825"
+ }, 
+ {
+  "description": "Biodiesel and mixtures thereof; not containing or containing less than 70% by weight of petroleum oils or oils obtained from bituminous minerals", 
+  "hsn_code": "3826"
+ }, 
+ {
+  "description": "Plastics / Rubbers", 
+  "hsn_code": "39-40"
+ }, 
+ {
+  "description": "POLYMERS OF ETHYLENE, IN PRIMARY FORMS", 
+  "hsn_code": "3901"
+ }, 
+ {
+  "description": "POLYMERS OF PROPYLENE OR OF OTHER OLEFINS, IN PRIMARY FORMS", 
+  "hsn_code": "3902"
+ }, 
+ {
+  "description": "POLYMERS OF STYRENE, IN PRIMARY FORMS", 
+  "hsn_code": "3903"
+ }, 
+ {
+  "description": "POLYMERS OF VINYL CHLORIDE OR OF OTHER HALOGENATED OLEFINS, IN PRIMARY FORMS", 
+  "hsn_code": "3904"
+ }, 
+ {
+  "description": "POLYMERS OF VINYL ACETATE OR OF OTHER VINYL ESTERS, IN PRIMARY FORMS; OTHER VINYL POLYMERS IN PRIMARY FORMS", 
+  "hsn_code": "3905"
+ }, 
+ {
+  "description": "IRON ORES AND CONCENTRATES, INCLUDING ROASTED IRON PYRITES", 
+  "hsn_code": "3906"
+ }, 
+ {
+  "description": "POLYACETALS, OTHER POLYETHERS AND EPOXIDE RESINS, IN PRIMARY FORMS; POLYCARBONATES, ALKYD RESINS, POLYALLYLESTERS AND OTHER POLYESTERS, IN PRIMARY FORMS", 
+  "hsn_code": "3907"
+ }, 
+ {
+  "description": "POLYAMIDES IN PRIMARY FORMS", 
+  "hsn_code": "3908"
+ }, 
+ {
+  "description": "AMINO-RESINS,PHENOLIC RESINS AND POLYURETHANES, IN PRIMARY FORMS", 
+  "hsn_code": "3909"
+ }, 
+ {
+  "description": "SILICONES IN PRIMARY FORMS", 
+  "hsn_code": "3910"
+ }, 
+ {
+  "description": "PETROLEUM RESINS, COUMARONE-INDENE RESINS, POLYTERPENES, POLYSULPHIDES, POLYSULPHONES AND OTHER PRODUCTS SPECIFIED IN NOTE 3 TO THIS CHAPTER, NOT ELSEWHERE SPECIFIED OR INCLUDED, IN PRIMARY FORMS", 
+  "hsn_code": "3911"
+ }, 
+ {
+  "description": "CELLULOSE AND ITS CHEMICAL DERIVATIVES, NOT ELSEWHERE SPECIFIED OR INCLUDED, IN PRIMARY FORMS", 
+  "hsn_code": "3912"
+ }, 
+ {
+  "description": "NATURAL POLYMERS (FOR EXAMPLE, Alginic ACID) AND MODIFIED NATURAL POLYMERS (FOR EXAMPLE, HARDENED PROTEINS, CHEMICAL DERIVATIVES OF NATURAL RUBBER), NOT ELSEWHERE SPECIFIED OR INCLUDED, IN PRIMARY FORMS", 
+  "hsn_code": "3913"
+ }, 
+ {
+  "description": "ION\u2013EXCHANGERS BASED ON POLYMERS OF HEADINGS 3901 TO 3913, IN PRIMARY FORMS", 
+  "hsn_code": "3914"
+ }, 
+ {
+  "description": "WASTE, PARINGS AND SCRAP, OF PLASTICS", 
+  "hsn_code": "3915"
+ }, 
+ {
+  "description": "MONOFILAMENT OF WHICH ANY CROSS-SECTIONAL DIMENSION EXCEEDS 1MM, RODS, STICKS AND PROFILE SHAPES, WHETHER OR NOT SURFACE-WORKED BUT NOT OTHERWISE WORKED, OF PLASTICS", 
+  "hsn_code": "3916"
+ }, 
+ {
+  "description": "TUBES, PIPES AND HOSES, AND FITTINGS THEREFOR (FOR EXAMPLE, JOINTS, ELBOWS, FLANGES), OF PLASTICS", 
+  "hsn_code": "3917"
+ }, 
+ {
+  "description": "FLOOR COVERINGS OF PLASTICS, WHETHER OR NOT SELF-ADHESIVE, IN ROLLS OR IN THE FORM OF TILES; WALL OR CEILING COVERINGS OF PLASTICS, AS DEFINED IN NOTE 9 TO THIS CHAPTER", 
+  "hsn_code": "3918"
+ }, 
+ {
+  "description": "SELF-ADHESIVE PLATES, SHEETS, FILM, FOIL, TAPE, STRIP AND OTHER FLAT SHAPES, OF PLASTICS, WHETHER OR NOT IN ROLLS", 
+  "hsn_code": "3919"
+ }, 
+ {
+  "description": "OTHER PLATES, SHEETS, FILM, FOIL AND STRIP, OF PLASTICS, NON-CELLULAR AND NOT REINFORCED, LAMINATED, SUPPORTED OR SIMILARLY COMBINED WITH OTHER MATERIALS", 
+  "hsn_code": "3920"
+ }, 
+ {
+  "description": "OTHER PLATES, SHEETS FILM , FOIL AND STRIP, OF PLASTICS", 
+  "hsn_code": "3921"
+ }, 
+ {
+  "description": "BATHS, SHOWER-BATHS, SINKS, WASH-BASINS, BIDETS, LAVATORY PANS, SEATS AND COVERS, FLUSHING CISTERNS AND SIMILAR SANITARY WARE, OF PLASTICS", 
+  "hsn_code": "3922"
+ }, 
+ {
+  "description": "ARTICLES FOR THE CONVEYANCE OR PACKING OF GOODS OF PLASTICS; STOPPERS, LIDS, CAPS AND OTHER CLOSURES, OF PLASTICS", 
+  "hsn_code": "3923"
+ }, 
+ {
+  "description": "TABLEWARE, KITCHENWARE, OTHER HOUSEHOLD ARTICLES AND HYGIENIC OR  TOILET ARTICLES, OF PLASTICS", 
+  "hsn_code": "3924"
+ }, 
+ {
+  "description": "BUILDERS WARE OF PLASTICS, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "3925"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF PLASTICS AND ARTICLES OF OTHER MATERIALS OF HEADINGS3901 TO 3914", 
+  "hsn_code": "3926"
+ }, 
+ {
+  "description": "NATURAL RUBBER, BALATA, GUTTA-PERCHA, GUAYULE, CHICLE AND SIMILAR NATURAL GUMS, IN PRIMARY FORMS OR IN PLATES, SHEETS OR STRIP", 
+  "hsn_code": "4001"
+ }, 
+ {
+  "description": "SYNTHETIC RUBBER AND FACTICE DERIVED FORM OILS, IN PRIMARY FORMS OR IN PLATES, SHEETS OR STRIP; MIXTURES OF ANY PRODUCT OF HEADING 4001 WITH ANY PRODUCT OF THIS HEADING, IN PRIMARY FORMS OR IN PLATES, SHEETS OR STRIP", 
+  "hsn_code": "4002"
+ }, 
+ {
+  "description": "Reclaimed rubber in primary forms or in plates, sheets or strip", 
+  "hsn_code": "4003"
+ }, 
+ {
+  "description": "Waste, parings and scrap of rubber (other than hard rubber) and powders and granules obtained therefrom", 
+  "hsn_code": "4004"
+ }, 
+ {
+  "description": "COMPOUNDED RUBBER, UNVULCANISED, IN PRIMARY FORMS OR IN PLATES, SHEETS OR STRIP", 
+  "hsn_code": "4005"
+ }, 
+ {
+  "description": "OTHER FORMS (FOR EXAMPLE, RODS, TUBES AND PROFILE SHAPES) AND ARTICLES (FOR EXAMPLE, DISCS AND RINGS), OF UNVULCANISED RUBBER", 
+  "hsn_code": "4006"
+ }, 
+ {
+  "description": "VULCANISED RUBBER THREAD AND CORD", 
+  "hsn_code": "4007"
+ }, 
+ {
+  "description": "PLATES, SHEETS, STRIP, RODS AND PROFILE SHAPES, OF VULCANISED RUBBER OTHER THAN HARD RUBBER", 
+  "hsn_code": "4008"
+ }, 
+ {
+  "description": "TUBES, PIPES AND HOSES, OF VULCANISED RUBBER OTHER THAN HARD RUBBER, WITH OR WITHOUT THEIR FITTINGS (FOR EXAMPLE, JOINTS, ELBOWS, FLANGES)", 
+  "hsn_code": "4009"
+ }, 
+ {
+  "description": "TUBES, PIPES AND HOSES, OF VULCANISED RUBBER OTHER THAN HARD RUBBER, WITH OR WITHOUT THEIR FITTINGS (FOR EXAMPLE, JOINTS, ELBOWS, FLANGES)", 
+  "hsn_code": "4009"
+ }, 
+ {
+  "description": "CONVEYOR OR TRANSMISSION BELTS OR BELTING OF VULCANISED RUBBER", 
+  "hsn_code": "4010"
+ }, 
+ {
+  "description": "NEW PNEUMATIC TYRES, OF RUBBER", 
+  "hsn_code": "4011"
+ }, 
+ {
+  "description": "RETREADED OR USED PNEUMATIC TYRES OF RUBBER, SOLID OR CUSHION TYRES, TYRE TREADS AND TYRE FLAPS, OF RUBBER", 
+  "hsn_code": "4012"
+ }, 
+ {
+  "description": "INNER TUBES, OF RUBBER", 
+  "hsn_code": "4013"
+ }, 
+ {
+  "description": "HYGIENIC OR PHARMACEUTICAL ARTICLES (INCLUDING TEATS), OF VULCANISED RUBBER OTHER THAN HARD RUBBER, WITH OR WITHOUT FITTINGS OF HARD RUBBER", 
+  "hsn_code": "4014"
+ }, 
+ {
+  "description": "ARTICLES OF APPAREL AND CLOTHING ACCESSORIES (INCLUDING GLOVES, MITTENS AND MITTS) FOR ALL PURPOSES, OR VULCANISED RUBBER OTHER THAN HARD RUBBER", 
+  "hsn_code": "4015"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF VULCANISED RUBBER OTHER THAN HARD RUBBER", 
+  "hsn_code": "4016"
+ }, 
+ {
+  "description": "HARD RUBBER (FOR EXAMPLE, EBONITE) IN ALL FORMS, INCLUDING WASTE AND SCRAP; ARTICLES OF HARD RUBBER", 
+  "hsn_code": "4017"
+ }, 
+ {
+  "description": "Raw Hides, Skins, Leather, & Furs", 
+  "hsn_code": "41-43"
+ }, 
+ {
+  "description": "RAW HIDES AND SKINS OF BOVINE (INCLUDING BUFFALO)OR EQUINE ANIMALS (FRESH OR SALTED, DRIED, LIMED, PICKLED OR OTHERWISE PRESERVED, BUT NOT TANNED, PARCHMENT-DRESSED OR FURTHER PREPARED), WHETHER OR NOT DEHAIRED OR SPLIT", 
+  "hsn_code": "4101"
+ }, 
+ {
+  "description": "RAW SKINS OF SHEEP OR LAMBS (FRESH, OR SALTED, DRIED, LIMED, PICKLED OR OTHERWISE PRESERVED, BUT NOT TANNED, PARCHMENT-DRESSED OR FURTHER PREPARED), WHETHER OR NOT WITH WOOL ON OR SPLIT, OTHER THAN THOSE EXCLUDED BY NOTE 1(c) TO THIS CHAPTER", 
+  "hsn_code": "4102"
+ }, 
+ {
+  "description": "OTHER RAW HIDES AND SKINS (FRESH, OR SALTED, DRIED, LIMED, PICKLED OR OTHERWISE PRESERVED, BUT NOT TANNED, PARCHMENT-DRESSED OR FURTHER PREPARED), WHETHER OR NOT DEHAIRED OR SPLIT, OTHER THAN THOSE EXCLUDED BY NOTE 1(b) OR 1(c) TO THIS CHAPTER", 
+  "hsn_code": "4103"
+ }, 
+ {
+  "description": "TANNED OR CRUST HIDES AND SKINS OF BOVINE (INCLUDING BUFFALO) OR EQUINE ANIMALS, WITHOUT HAIR ON, WHETHER OR NOT SPLIT, BUT NOT FURTHER PREPARED", 
+  "hsn_code": "4104"
+ }, 
+ {
+  "description": "TANNED OR CRUST SKINS OF SHEEP OR LAMBS, WITHOUT WOOL ON,WHETHER OR NOT SPLIT, BUT NOT FURTHER PREPARED", 
+  "hsn_code": "4105"
+ }, 
+ {
+  "description": "TANNED OR CRUST HIDES AND SKINS OF OTHER ANIMALS, WITHOUT WOOL OR HAIR ON, WHETHER OR NOT SPLIT BUT NOT FURTHER PREPARED", 
+  "hsn_code": "4106"
+ }, 
+ {
+  "description": "LEATHER FURTHER PREPARED AFTER TANNING OR CRUSTING, INCLUDING PARCHMENT-DRESSED  LEATHER, OF BOVINE (INCLUDING BUFFALO) OR EQUINE ANIMALS, WITHOUT HAIR ON, WHETHER OR NOT SPLIT, OTHER THAN LEATHER OF HEADING 4114", 
+  "hsn_code": "4107"
+ }, 
+ {
+  "description": "LEATHER FURTHER PREPARED AFTER TANNING OR CRUSTING, INCLUDING PARCHMENT-DRESSED  LEATHER, OF BOVINE (INCLUDING BUFFALO) OR EQUINE ANIMALS, WITHOUT HAIR ON, WHETHER OR NOT SPLIT, OTHER THAN LEATHER OF HEADING 4114", 
+  "hsn_code": "4112"
+ }, 
+ {
+  "description": "LEATHER FURTHER PREPARED AFTER TANNING OR CRUSTING, INCLUDING PARCHMENT-DRESSED LEATHER, OF OTHER ANIMALS, WITHOUT WOOL OR HAIR ON, WHETHER OR NOT SPLIT, OTHER THAN LEATHER OF HEADING 4114", 
+  "hsn_code": "4113"
+ }, 
+ {
+  "description": "CHAMOIS (INCLUDING COMBINATION CHAMOIS) LEATHER; PATENT LEATHER AND PATENT LAMINATED LEATHER ; METALLISED LEATHER", 
+  "hsn_code": "4114"
+ }, 
+ {
+  "description": "COMPOSITION LEATHER WITH A BASIS OF LEATHER OR LEATHER FIBER, IN SLABS, SHEETS OR STRIP, WHETHER OR NOT IN ROLLS; PARINGS AND OTHER WASTE OF LEATHER OR OF COMPOSITION LEATHER, NOT SUITABLE FOR THE MANUFACTURE OF LEATHER ARTICLES; LEATHER DUST, POWDER AND FLOUR", 
+  "hsn_code": "4115"
+ }, 
+ {
+  "description": "COMPOSITION LEATHER WITH A BASIS OF LEATHER OR LEATHER FIBER, IN SLABS, SHEETS OR STRIP, WHETHER OR NOT IN ROLLS; PARINGS AND OTHER WASTE OF LEATHER OR OF COMPOSITION LEATHER, NOT SUITABLE FOR THE MANUFACTURE OF LEATHER ARTICLES; LEATHER DUST, POWDER AND FLOUR", 
+  "hsn_code": "4201"
+ }, 
+ {
+  "description": "TRUNKS, SUIT-CASES, VANITY-CASES, EXECUTIVE-CASES, BRIEF-CASES, SCHOOL SATCHELS, SPECTACLE CASES, BINOCULAR CASES, CAMERA CASES, MUSICAL INSTRUMENT CASES, GUN CASES, HOLSTERS AND SIMILAR CONTAINERS; TRAVELLING-BAGS, INSULATED FOOD OR BEVERAGES BAGS, TOILET BAGS, RUCKSACKS, HANDBAGS, SHOPPING-BAGS, WALLETS, PURSES, MAP-CASES, CIGARETTE-CASES, TOBACCO-POUCHES, TOOL BAGS, SPORTS BAGS, BOTTLE CASES, JEWELLERY BOXES, POWDER-BOXES, CUTLERY CASES AND SIMILAR CONTAINERS, OF LEATHER OR OF COMPOSITION LEATHER, OF SHEETING OF PLASTICS, OF TEXTILE MATERIALS, OF VULCANISED FIBRE OR OF PAPERBOARD, OR WHOLLY OR MAINLY COVERED WITH SUCH MATERIALS OR WITH PAPER", 
+  "hsn_code": "4202"
+ }, 
+ {
+  "description": "ARTICLES OF APPAREL AND CLOTHING ACCESSORIES, OF LEATHER OR OF COMPOSITION LEATHER", 
+  "hsn_code": "4203"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF LEATHER OR OF COMPOSITION LEATHER", 
+  "hsn_code": "4205"
+ }, 
+ {
+  "description": "ARTICLES OF GUT (OTHER THAN SILK-WORM GUT), OF GOLDBEATER\u2019S SKIN, OF BLADDERS OR OF TENDONS", 
+  "hsn_code": "4206"
+ }, 
+ {
+  "description": "RAW FURSKINS (INCLUDING HEADS, TAILS, PAWS AND OTHER PIECES OR CUTTINGS, SUITABLE FOR FURRIERS\u2019 USE), OTHER THAN RAW HIDES AND SKINS OF HEADINGS 4101, 4102 OR 4103", 
+  "hsn_code": "4301"
+ }, 
+ {
+  "description": "TANNED OR DRESSED FURSKINS (INCLUDING HEADS, TAILS, PAWS AND OTHER PIECES OR CUTTINGS), UNASSEMBLED, OR ASSEMBLED (WITHOUT THE ADDITION OF OTHER MATERIALS) OTHER THAN THOSE OF HEADING 4303", 
+  "hsn_code": "4302"
+ }, 
+ {
+  "description": "ARTICLES OF APPAREL, CLOTHING ACCESSORIES AND OTHER ARTICLES OF FURSKIN", 
+  "hsn_code": "4303"
+ }, 
+ {
+  "description": "ARTIFICIAL FUR AND ARTICLES THEREOF", 
+  "hsn_code": "4304"
+ }, 
+ {
+  "description": "Wood & Wood Products", 
+  "hsn_code": "44-49"
+ }, 
+ {
+  "description": "FUEL WOOD, IN LOGS, IN BILLETS, IN TWIGS, IN FAGGOTS OR IN SIMILAR FORMS; WOOD IN CHIPS OR PARTICLES; SAWDUST AND WOOD WASTE AND SCRAP, WHETHER OR NOT AGGLOMERATED IN LOGS, BRIQUETTES, PELLETS OR SIMILAR FORMS.", 
+  "hsn_code": "4401"
+ }, 
+ {
+  "description": "WOOD IN THE ROUGH, WHETHER OR NOT STRIPPED OF BARK OR SAPWOOD, OR ROUGHLY SQUARED", 
+  "hsn_code": "4403"
+ }, 
+ {
+  "description": "HOOPWOOD; SPLIT POLES; PILES, PICKETS AND STAKES OF WOOD, POINTED BUT NOT SAWN LENGTHWISE; WOODEN STICKS, ROUGHLY TRIMMED BUT NOT TURNED, BENT OR OTHERWISE WORKED, SUITABLE FOR THE MANUFACTURE OF WALKING STICKS, UMBRELLAS, TOOL HANDLES OR THE LIKE; CHIPWOOD AND THE LIKE", 
+  "hsn_code": "4404"
+ }, 
+ {
+  "description": "Wood wool; wood flour", 
+  "hsn_code": "4405"
+ }, 
+ {
+  "description": "RAILWAY OR TRAMWAY SLEEPERS (CROSSTIES) OF WOOD", 
+  "hsn_code": "4406"
+ }, 
+ {
+  "description": "WOOD SAWN OR CHIPPED LENGTHWISE, SLICED OR PEELED, WHETHER OR NOT PLANED, SANDED OR END-JOINTED, OF A THICKNESS EXCEEDING 6 MM", 
+  "hsn_code": "4407"
+ }, 
+ {
+  "description": "SHEETS FOR VENEERING (INCLUDING THOSE OBTAINED BY SLICING LAMINATED WOOD), FOR PLYWOOD OR FOR  SIMILAR LAMINATED WOOD AND OTHER WOOD, SAWN LENGTHWISE, SLICED OR PEELED, WHETHER OR NOT PLANED, SANDED, SPLICED OR END-JOINTED, OF A THICKNESS NOT EXCEEDING 6 MM", 
+  "hsn_code": "4408"
+ }, 
+ {
+  "description": "WOOD (INCLUDING STRIPS AND FRIEZES FOR PARQUET FLOORING, NOT ASSEMBLED) CONTINUOUSLY SHAPED (TONGUED, GROOVED, REBATED, CHAMFERED, V-JOINTED, BEADED, MOULDED, ROUNDED OR THE LIKE) ALONG ANY OF ITS EDGES OR FACES, WHETHER OR NOT PLANED, SANDED OR END-JOINTED", 
+  "hsn_code": "4409"
+ }, 
+ {
+  "description": "PARTICLE BOARD, ORIENTED STRAND BOARD (OSB) AND SIMILAR BOARD (FOR EXAMPLE, WAFERBOARD) OF WOOD OR OTHER LIGNEOUS MATERIALS,WHETHER OR NOT AGGLOMERATED  WITH RESINS OR OTHER ORGANIC BINDING SUBSTANCES", 
+  "hsn_code": "4410"
+ }, 
+ {
+  "description": "FIBRE BOARD OF WOOD OR OTHER LIGNEOUS MATERIALS, WHETHER OR NOT BONDED WITH RESINS OR OTHER ORGANIC SUBSTANCES", 
+  "hsn_code": "4411"
+ }, 
+ {
+  "description": "PLYWOOD, VENEERED PANELS AND SIMILAR LAMINATED WOOD", 
+  "hsn_code": "4412"
+ }, 
+ {
+  "description": "Densified wood, in blocks, plates, strips, or profile shapes", 
+  "hsn_code": "4413"
+ }, 
+ {
+  "description": "Wooden frames for paintings, photographs, mirrors or similar objects", 
+  "hsn_code": "4414"
+ }, 
+ {
+  "description": "PACKING CASES, BOXES, CRATES, DRUMS AND SIMILAR PACKINGS, OF WOOD ; CABLE-DRUMS OF WOOD ; PALLETS, BOX PALLETS AND OTHER LOAD BOARDS, OF WOOD; PALLET COLLARS OF WOOD", 
+  "hsn_code": "4415"
+ }, 
+ {
+  "description": "CASKS, BARRELS, VATS, TUBS AND OTHER COOPERS\u2019 PRODUCTS AND PARTS THEREOF, OF WOOD, INCLUDING STAVES", 
+  "hsn_code": "4416"
+ }, 
+ {
+  "description": "Tools, tool bodies, tool handles, broom or brush bodies and handles, of wood ; boot or shoe lasts and trees , of wood", 
+  "hsn_code": "4417"
+ }, 
+ {
+  "description": "BUILDERS\u2019 JOINERY AND CARPENTRY OF WOOD, INCLUDING CELLULAR WOOD PANELS, ASSEMBLED FLOORING PANELS, SHINGLES AND SHAKES", 
+  "hsn_code": "4418"
+ }, 
+ {
+  "description": "TABLEWARE AND KITCHENWARE, OF WOOD", 
+  "hsn_code": "4419"
+ }, 
+ {
+  "description": "WOOD MAREQUETRY AND INLAID WOOD; CASKETS AND CASES FOR JEWELLERY OR CUTLERY, AND SIMILAR ARTICLES, OF WOOD; STATUETTES AND OTHER ORNAMENTS, OF WOOD; WOODEN ARTICLES OF FURNITURE NOT FALLING IN CHAPTER 94", 
+  "hsn_code": "4420"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF WOOD", 
+  "hsn_code": "4421"
+ }, 
+ {
+  "description": "NATURAL CORK, RAW OR SIMPLY SDF KSDF JKLSD PREPARED; WASTE CORK; CRUSHED, GRANULATED OR GROUND CORK", 
+  "hsn_code": "4501"
+ }, 
+ {
+  "description": "NATURAL CORK, RAW OR SIMPLY SDF KSDF JKLSD PREPARED; WASTE CORK; CRUSHED, GRANULATED OR GROUND CORK", 
+  "hsn_code": "4502"
+ }, 
+ {
+  "description": "Natural cork, debacked or roughly squared, or in rectangular (including square) blocks, plates, sheets or strip (including sharp-edged blanks for corks or stoppers)", 
+  "hsn_code": "4502"
+ }, 
+ {
+  "description": "ARTICLES OF NATURAL CORK", 
+  "hsn_code": "4503"
+ }, 
+ {
+  "description": "AGGLOMERATED CORK (WITH OR WITHOUT A BINDING SUBSTANCE) AND ARTICLES OF AGGLOMERATED CORK", 
+  "hsn_code": "4504"
+ }, 
+ {
+  "description": "PLAITS AND SIMILAR PRODUCTS OF PLAITING MATERIALS, WHETHER OR NOT ASSEMBLED INTO STRIPS; PLAITING MATERIALS, PLAITS AND SIMILAR PRODUCTS OF PLAITING MATERIALS, BOUND TOGETHER IN PARALLEL STRANDS OR WOVEN, IN SHEET FORM, WHETHER OR NOT BEING FINISHED ARTICLES (FOR EXAMPLE, MATS, MATTING, SCREENS)", 
+  "hsn_code": "4601"
+ }, 
+ {
+  "description": "BASKETWORK, WICKERWORK AND OTHER ARTICLES, MADE DIRECTLY TO SHAPE FROM PLAITING MATERIALS OR MADE UP FROM GOODS OF HEADING 4601; ARTICLES OF LOOFAH", 
+  "hsn_code": "4602"
+ }, 
+ {
+  "description": "Mechanical wood pulp", 
+  "hsn_code": "4701"
+ }, 
+ {
+  "description": "Chemical wood pulp, dissolving grades", 
+  "hsn_code": "4702"
+ }, 
+ {
+  "description": "CHEMICAL WOOD PULP, SODA OR SULPHATE, OTHER THAN DISSOLVING GRADES", 
+  "hsn_code": "4703"
+ }, 
+ {
+  "description": "CHEMICAL WOOD PULP, SULPHITE, OTHER THAN DISSOLVING GRADES", 
+  "hsn_code": "4704"
+ }, 
+ {
+  "description": "Wood pulp obtained by a combination of mechanical and chemical pulping processes", 
+  "hsn_code": "4705"
+ }, 
+ {
+  "description": "PULPS OF FIBRES DERIVED FROM RECOVERED (WASTE AND SCRAP) PAPER OR PAPERBOARD OR OF OTHER FIBROUS CELLULOSIC MATERIAL", 
+  "hsn_code": "4706"
+ }, 
+ {
+  "description": "RECOVERED (WASTE AND SCRAP) PAPER OR PAPERBOARD", 
+  "hsn_code": "4707"
+ }, 
+ {
+  "description": "NEWSPRINT, IN ROLLS OR SHEETS", 
+  "hsn_code": "4801"
+ }, 
+ {
+  "description": "UNCOATED PAPER AND PAPERBOARD, OF A KIND USED FOR WRITING, PRINTING OR OTHER GRAPHIC PURPOSES, AND NON-PERFORATED PUNCH CARD AND PUNCH TAPE PAPER , IN ROLLS OR RECTANGULAR (INCLUDING SQUARE)SHEETS OF ANY SIZE, OTHER THAN PAPER OF HEADING 4801 OR 4803; HAND-MADE PAPER AND PAPERBOARD", 
+  "hsn_code": "4802"
+ }, 
+ {
+  "description": "TOILET OR FACIAL TISSUE STOCK, TOWEL OR NAPKIN STOCK AND SIMILAR PAPER OF A KIND USED FOR HOUSEHOLD OR SANITARY PURPOSES, CELLULOSE WADDING AND WEBS OF CELLULOSE FIBRES, WHETHER OR NOT CREPED, CRINKLED, EMBOSSED, PERFORATED, SURFACE-COLOURED, SURFACE-DECORATED OR PRINTED, IN ROLLS OR SHEETS", 
+  "hsn_code": "4803"
+ }, 
+ {
+  "description": "UNCOATED KRAFT PAPER AND PAPERBOARD, IN ROLLS OR SHEETS, OTHER THAN THAT OF HEADING 4802 OR 4803", 
+  "hsn_code": "4804"
+ }, 
+ {
+  "description": "OTHER UNCOATED PAPER AND PAPERBOARD, IN ROLLS OR SHEETS, NOT FURTHER WORKED OR PROCESSED THAN AS SPECIFIED IN NOTE 3 TO THIS CHAPTER", 
+  "hsn_code": "4805"
+ }, 
+ {
+  "description": "VEGETABLE PARCHMENT, GREASEPROOF PAPERS, TRACING PAPERS AND GLASSINE AND OTHER GLAZED TRANSPARENT OR TRANSLUCENT PAPERS, IN ROLLS OR SHEETS", 
+  "hsn_code": "4806"
+ }, 
+ {
+  "description": "COMPOSITE PAPER AND PAPERBOARD (MADE BY STICKING FLAT LAYERS OF PAPER OR PAPERBOARD TOGETHER WITH AN ADHESIVE), NOT SURFACE-COATED OR IMPREGNATED, WHETHER OR NOT INTERNALLY REINFORCED, IN ROLLS OR SHEETS", 
+  "hsn_code": "4807"
+ }, 
+ {
+  "description": "PAPER AND PAPERBOARD, CORRUGATED (WITH OR WITHOUT GLUED FLAT SURFACE SHEETS), CREPED, CRINKLED, EMBOSSED OR PERFORATED, IN ROLLS OR SHEETS, OTHER THAN PAPER OF THE KIND DESCRIBED IN HEADING 4803", 
+  "hsn_code": "4808"
+ }, 
+ {
+  "description": "CARBON PAPER, SELF-COPY PAPER AND OTHER COPYING OR TRANSFER PAPERS (INCLUDING COATED OR IMPREGNATED PAPER FOR DUPLICATOR STENCILS OR OFFSET PLATES), WHETHER OR NOT PRINTED, IN ROLLS OR SHEETS", 
+  "hsn_code": "4809"
+ }, 
+ {
+  "description": "PAPER AND PAPERBOARD, COATED ON ONE OR BOTH SIDES WITH KAOLIN (CHINA CLAY) OR OTHER INORGANIC SUBSTANCES, WITH OR WITHOUT A BINDER, AND WITH NO OTHER COATING, WHETHER OR NOT SURFACE \u2013 COLOURED, SURFACE-DECORATED OR PRINTED, IN ROLLS OR RECTANGULAR (INCLUDING SQUARE) SHEETS, OF ANY SIZE", 
+  "hsn_code": "4810"
+ }, 
+ {
+  "description": "PAPER, PAPERBOARD, CELLULOSE WADING AND WEBS OF CELLULOSE FIBRES, COATED, IMPREGNATED, COVERED, SURFACE \u2013 COLOURED , SURFACE-DECORATED OR PRINTED, IN ROLLS OR RECTANGULAR (INCLUDING SQUARE) SHEETS, OF ANY SIZE, OTHER THAN GOODS OF THE KIND DESCRIBED IN HEADING 4803, 4809 OR 4810", 
+  "hsn_code": "4811"
+ }, 
+ {
+  "description": "Filter blocks, slabs and plates, of paper pulp", 
+  "hsn_code": "4812"
+ }, 
+ {
+  "description": "CIGARETTE PAPER, WHETHER OR NOT CUT TO SIZE OR IN THE FORM OF BOOKLETS OR TUBES", 
+  "hsn_code": "4813"
+ }, 
+ {
+  "description": "WALLPAPER AND SIMILAR WALL COVERINGS; WINDOW TRANSPARENCIES OF PAPER", 
+  "hsn_code": "4814"
+ }, 
+ {
+  "description": "CARBON-PAPER, SELF-COPY PAPER AND OTHER COPYING OR TRANSFER PAPERS (OTHER THAN THOSE OF HEADING 4809), DUPLICATOR STENCILS AND OFFSET PLATES, OF PAPER, WHETHER OR NOT PUT UP IN BOXES", 
+  "hsn_code": "4816"
+ }, 
+ {
+  "description": "ENVELOPES, LETTER CARDS, PLAIN POSTCARDS AND CORRESPONDENCE CARDS, OF PAPER OR PAPERBOARD; BOXES, POUCHES, WALLETS AND WRITING COMPENDIUMS, OF PAPER OR PAPERBOARD, CONTAINING AN ASSORTMENT OF PAPER STATIONERY", 
+  "hsn_code": "4817"
+ }, 
+ {
+  "description": "TOILET PAPER AND SIMILAR PAPER, CELLULOSE WADDING OR WEBS OF CELLULOSE FIBRES, OF A KIND USED FOR HOUSEHOLD OR SANITARY PURPOSES, IN ROLLS OF A WIDTH NOT EXCEEDING 36 CM, OR CUT TO SIZE OR SHAPE; HANDKERCHIEFS, CLEANSING TISSUES, TOWELS, TABLE CLOTHS, SERVIETTES, BED SHEETS AND SIMILAR HOUSEHOLD, SANITARY OR HOSPITAL ARTICLES, ARTICLES OF APPAREL AND CLOTHING ACCESSORIES, OF PAPER PULP, PAPER, CELLULOSE WADDING OR WEBS OF CELLULOSE FIBRES", 
+  "hsn_code": "4818"
+ }, 
+ {
+  "description": "CARTONS, BOXES, CASES, BAGS AND OTHER PACKING CONTAINERS, OF PAPER, PAPERBOARD, CELLULOSE WADDING OR WEBS OF CELLULOSE FIBRES; BOX FILES, LETTER TRAYS, AND SIMILAR ARTICLES, OF PAPER OR PAPERBOARD OF A KIND USED IN OFFICES, SHOPS OR THE LIKE", 
+  "hsn_code": "4819"
+ }, 
+ {
+  "description": "REGISTERS, ACCOUNT BOOKS, NOTE BOOKS, ORDER BOOKS, RECEIPT BOOKS, LETTER PADS, MEMORANDUM PADS, DIARIES AND SIMILAR ARTICLES, EXCISE BOOKS, BLOTTING-PADS, BINDERS (LOOSE-LEAF OR OTHER), FOLDERS, FILE COVERS, MANIFOLD BUSINESS FORMS, INTER LEAVED CARBON SETS AND OTHER ARTICLES OF STATIONERY, OF PAPER OR PAPERBOARD; ALBUMS FOR SAMPLES OR FOR COLLECTIONS AND BOOK COVERS, OF PAPER OR PAPERBOARD", 
+  "hsn_code": "4820"
+ }, 
+ {
+  "description": "PAPER OR PAPERBOARD LABELS OF ALL KINDS, WHETHER OR NOT PRINTED", 
+  "hsn_code": "4821"
+ }, 
+ {
+  "description": "BOBBINS, SPOOLS, COPS AND SIMILAR SUPPORTS OF PAPER PULP, PAPER OR PAPERBOARD (WHETHER OR NOT PERFORATED OR HARDENED)", 
+  "hsn_code": "4822"
+ }, 
+ {
+  "description": "OTHER PAPER, PAPERBOARD, CELLULOSE WADDING AND WEBS OF CELLULOSE FIBRES, CUT TO SIZE OR SHAPE; OTHER ARTICLES OF PAPER PULP, PAPER, PAPERBOARD, CELLULOSE WADDING OR WEBS OF CELLULOSE FIBRES", 
+  "hsn_code": "4823"
+ }, 
+ {
+  "description": "PRINTED BOOKS, BROCHURES, LEAFLETS AND SIMILAR PRINTED MATTER, WHETHER OR NOT IN SINGLE SHEETS", 
+  "hsn_code": "4901"
+ }, 
+ {
+  "description": "NEWSPAPERS, JOURNALS AND PERIODICALS, WHETHER OR NOT ILLUSTRATED OR CONTAINING ADVERTISING MATERIAL", 
+  "hsn_code": "4902"
+ }, 
+ {
+  "description": "CHILDREN\u2019S PICTURE, DRAWING OR COLOURING BOOKS", 
+  "hsn_code": "4903"
+ }, 
+ {
+  "description": "Music, printed or in manuscript, whether or not bound or illustrated", 
+  "hsn_code": "4904"
+ }, 
+ {
+  "description": "MAPS AND HYDROGRAPHIC OR SIMILAR CHARTS OF ALL KINDS, INCLUDING ATLASES, WALL MAPS, TOPOGRAPHICAL PLANS AND GLOBES, PRINTED", 
+  "hsn_code": "4905"
+ }, 
+ {
+  "description": "Plans and drawings for architectural, engineering, industrial, commercial, topographical or similar purposes, being originals drawn by hand; hand-written texts; photographic reproductions on sensitised paper and carbon copies of the foregoing", 
+  "hsn_code": "4906"
+ }, 
+ {
+  "description": "UNUSED POSTAGE, REVENUE OR SIMILAR STAMPS OF CURRENT OR NEW ISSUE IN THE COUNTRY IN WHICH THEY HAVE, OR WILL HAVE, A RECOGNIZED FACE VALUE; STAMP-IMPRESSED PAPER; BANK NOTES; CHEQUE FORMS; STOCK, SHARE OR BOND CERTIFICATES AND SIMILAR DOCUMENTS OF TITLE", 
+  "hsn_code": "4907"
+ }, 
+ {
+  "description": "TRANSFERS (DECALCOMANIAS)", 
+  "hsn_code": "4908"
+ }, 
+ {
+  "description": "PRINTED OR ILLUSTRATED POSTCARDS; PRINTED CARDS BEARING PERSONAL GREETINGS, MESSAGES OR ANNOUNCEMENTS, WHETHER OR NOT ILLUSTRATED, WITH OR WITHOUT ENVELOPES OR TRIMMINGS", 
+  "hsn_code": "4909"
+ }, 
+ {
+  "description": "CALENDARS OF ANY KIND, PRINTED, INCLUDING CALENDAR BLOCKS", 
+  "hsn_code": "4910"
+ }, 
+ {
+  "description": "OTHER PRINTED MATTER, INCLUDING PRINTED PICTURES AND PHOTOGRAPHS", 
+  "hsn_code": "4911"
+ }, 
+ {
+  "description": "Textiles", 
+  "hsn_code": "50-63"
+ }, 
+ {
+  "description": "Silk worm cocoons suitable for reeling", 
+  "hsn_code": "5001"
+ }, 
+ {
+  "description": "RAW SILK (NOT THROWN)", 
+  "hsn_code": "5002"
+ }, 
+ {
+  "description": "SILK WASTE (INCLUDING COCOONS AND UNSUITABLE FOR REELING, YARN WASTE AND GARNETTED STOCK)", 
+  "hsn_code": "5003"
+ }, 
+ {
+  "description": "SILK YARN (OTHER THAN YARN SPUN FROM SILK WASTE) NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5004"
+ }, 
+ {
+  "description": "YARN SPUN FROM SILK WASTE, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5005"
+ }, 
+ {
+  "description": "SILK YARN AND YARN SPUN FROM SILK WASTE, PUT UP FOR RETAIL SALE; SILK-WORM GUT", 
+  "hsn_code": "5006"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF SILK OR OF SILK WASTE", 
+  "hsn_code": "5007"
+ }, 
+ {
+  "description": "WOOL, NOT CARDED OR COMBED:", 
+  "hsn_code": "5101"
+ }, 
+ {
+  "description": "FINE OR COARSE ANIMAL HAIR, NOT CARDED OR COMBED", 
+  "hsn_code": "5102"
+ }, 
+ {
+  "description": "WASTE OF WOOL OR OF FINE OR COARSE ANIMAL HAIR, INCLUDING YARN WASTE BUT EXCLUDING GARNETTED STOCK", 
+  "hsn_code": "5103"
+ }, 
+ {
+  "description": "GARNETTED STOCK OF WOOL OR OF FINE OR COARSE ANIMAL HAIR", 
+  "hsn_code": "5104"
+ }, 
+ {
+  "description": "WOOL AND FINE OR COARSE ANIMAL HAIR, CARDED OR COMBED (INCLUDING COMBED WOOL IN FRAGMENTS)", 
+  "hsn_code": "5105"
+ }, 
+ {
+  "description": "YARN OF CARDED WOOL, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5106"
+ }, 
+ {
+  "description": "YARN OF COMBED WOOL, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5107"
+ }, 
+ {
+  "description": "YARN OF FINE ANIMAL HAIR (CARDED OR COMBED), NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5108"
+ }, 
+ {
+  "description": "YARN OF WOOL OR FINE ANIMAL HAIR, PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5109"
+ }, 
+ {
+  "description": "YARN OF COARSE ANIMAL HAIR OR OF HORSE HAIR (INCLUDING GIMPED HORSEHAIR YARN), WHETHER OR NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5110"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF CARDED WOOL OR OF CARDED FINE ANIMAL HAIR", 
+  "hsn_code": "5111"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF COMBED WOOL OR OF COMBED FINE ANIMAL HAIR", 
+  "hsn_code": "5112"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF COARSE ANIMAL HAIR OR OF HORSE HAIR", 
+  "hsn_code": "5113"
+ }, 
+ {
+  "description": "COTTON, NOT CARDED OR COMBED", 
+  "hsn_code": "5201"
+ }, 
+ {
+  "description": "COTTON WASTE (INCLUDING YARN WASTE AND GARNETTED STOCK)", 
+  "hsn_code": "5202"
+ }, 
+ {
+  "description": "Cotton, carded or combed", 
+  "hsn_code": "5203"
+ }, 
+ {
+  "description": "COTTON SEWING THREAD, WHETHER OR NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5204"
+ }, 
+ {
+  "description": "COTTON YARN (OTHER THAN SEWING THREAD), CONTAINING 85% OR MORE BY WEIGHT OF COTTON, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5205"
+ }, 
+ {
+  "description": "COTTON YARN (OTHER THAN SEWING THREAD), CONTAINING LESS THAN 85% BY WEIGHT OF COTTON, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5206"
+ }, 
+ {
+  "description": "COTTON YARN (OTHER THAN SEWING THREAD) PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5207"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF COTTON, CONTAINING 85% OR MORE BY WEIGHT OF COTTON, WEIGHING NOT MORE THAN 200 G/M2", 
+  "hsn_code": "5208"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF COTTON, CONTAINING 85% OR MORE BY WEIGHT OF COTTON, WEIGHING MORE THAN 200 G/M2", 
+  "hsn_code": "5209"
+ }, 
+ {
+  "description": "Woven fabrics of cotton, containing less than 85% by weight of cotton, mixed mainly or solely with man-made fibres, weighing not more than 200 g/m2", 
+  "hsn_code": "5210"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF COTTON, CONTAINING LESS THAN 85% BY WEIGHT OF COTTON, MIXED MAINLY OR SOLELY WITH MAN-MADE FIBRES, WEIGHING MORE THAN 200 G/M2", 
+  "hsn_code": "5211"
+ }, 
+ {
+  "description": "OTHER WOVEN FABRICS OF COTTON", 
+  "hsn_code": "5212"
+ }, 
+ {
+  "description": "FLAX, RAW OR PROCESSED BUT NOT SPUN; FLAX TOW AND WASTE (INCLUDING YARN WASTE AND GARNETTED STOCK)", 
+  "hsn_code": "5301"
+ }, 
+ {
+  "description": "TRUE HEMP (CANNABIS SATIVA L ), RAW OR PROCESSED BUT NOT SPUN; TOW AND WASTE OF TRUE HEMP (INCLUDING YARN WASTE AND GARNETTED STOCK)", 
+  "hsn_code": "5302"
+ }, 
+ {
+  "description": "JUTE AND OTHER TEXTILE BAST FIBRES (EXCLUDING FLAX, TRUE HEMP AND RAMIE), RAW OR PROCESSED BUT NOT SPUN; TOW AND WASTE OF THESE FIBRES (INCLUDING YARN WASTE AND GARNETTED STOCK)", 
+  "hsn_code": "5303"
+ }, 
+ {
+  "description": "COCONUT, ABACA (MANILA HEMP OR MUSA TEXTILIS NEE), RAMIE AND OTHER VEGETABLE TEXTILE FIBRES, NOT ELSEWHERE SPECIFIED OR INCLUDED, RAW OR PROCESSED BUT NOT SPUN; TOW, NOILS AND WASTE OF THESE FIBRES (INCLUDING YARN WASTE AND GARNETTED STOCK)", 
+  "hsn_code": "5305"
+ }, 
+ {
+  "description": "FLAX YARN", 
+  "hsn_code": "5306"
+ }, 
+ {
+  "description": "YARN OF JUTE OR OF OTHER TEXTILE BAST FIBRES OF HEADING 5303", 
+  "hsn_code": "5307"
+ }, 
+ {
+  "description": "YARN OF OTHER VEGETABLE TEXTILE FIBRES; PAPER YARN", 
+  "hsn_code": "5308"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF FLAX", 
+  "hsn_code": "5309"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF JUTE OR OF OTHER TEXTILE BASE FIBRES OF HEADING 5303", 
+  "hsn_code": "5310"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF OTHER VEGETABLE TEXTILE FIBRES; WOVEN FABRICS OF PAPER YARN", 
+  "hsn_code": "5311"
+ }, 
+ {
+  "description": "SEWING THREAD OF MAN-MADE FILAMENTS, WHETHER OR NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5401"
+ }, 
+ {
+  "description": "SYNTHETIC FILAMENT YARN (OTHER THAN SEWING THREAD), NOT PUT UP FOR RETAIL SALE, INCLUDING SYNTHETIC MONOFILAMENT OF LESS THAN 67 DECITEX", 
+  "hsn_code": "5402"
+ }, 
+ {
+  "description": "ARTIFICAL FILAMENT YARN (OTHER THAN SEWING THREAD), NOT PUT FOR RETAIL SALE, INCLUDING ARTIFICIAL MONO FILAMENT OF LESS THAN 67 DECITEX", 
+  "hsn_code": "5403"
+ }, 
+ {
+  "description": "SYNTHETIC MONOFILAMENT OF 67 DECITEX OR MORE AND OF WHICH NO CROSS-SECTIONAL DIMENSION EXCEEDS 1 MM; STRIP AND THE LIKE (FOR EXAMPLE, ARTIFICIAL STRAW) OF SYNTHETIC TEXTILE MATERIALS OF AN APPARENT WIDTH NOT EXCEEDING 5 MM", 
+  "hsn_code": "5404"
+ }, 
+ {
+  "description": "Artificial monofilament of 67 decitex or more and of which no cross-sectional dimension exceeds 1 mm; strip and the like (for example, artificial straw) of artificial textile materials of an apparent width not exceeding 5 mm", 
+  "hsn_code": "5405"
+ }, 
+ {
+  "description": "SYNTHETIC MONOFILAMENT OF 67 DECITEX OR MORE AND OF WHICH NO CROSS-SECTIONAL DIMENSION EXCEEDS 1 MM; STRIP AND THE LIKE (FOR EXAMPLE, ARTIFICIAL STRAW) OF SYNTHETIC TEXTILE MATERIALS OF AN APPARENT WIDTH NOT EXCEEDING 5 MM", 
+  "hsn_code": "5406"
+ }, 
+ {
+  "description": "Woven fabrics of synthetic filament yarn, including woven fabrics obtained from materials of heading 5404", 
+  "hsn_code": "5407"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF ARTIFICIAL FILAMENT YARN, INCLUDING WOVEN FABRICS OBTAINED FROM MATERIALS OF HEADING 5405", 
+  "hsn_code": "5408"
+ }, 
+ {
+  "description": "WOOL, NOT CARDED OR COMBED", 
+  "hsn_code": "5501"
+ }, 
+ {
+  "description": "ARTIFICIAL FILAMENT TOW", 
+  "hsn_code": "5502"
+ }, 
+ {
+  "description": "SYNTHETIC STAPLE FIBRES, NOT CARDED, COMBED OR OTHERWISE PROCESSED FOR SPINNING", 
+  "hsn_code": "5503"
+ }, 
+ {
+  "description": "ARTIFICIAL STAPLE FIBRES, NOT CARDED, COMBED OR OTHERWISE PROCESSED FOR SPINNING", 
+  "hsn_code": "5504"
+ }, 
+ {
+  "description": "WASTE (INCLUDING NOILS, YARN WASTE AND GARNETTED STOCK) OF MAN-MADE FIBRES", 
+  "hsn_code": "5505"
+ }, 
+ {
+  "description": "SYNTHETIC STAPLE FIBRES, CARDED COMBED OR OTHERWISE PROCESSED FOR SPINNING", 
+  "hsn_code": "5506"
+ }, 
+ {
+  "description": "ARTIFICIAL STAPLE FIBRES, CARDED, COMBED OR OTHERWISE PROCESSED FOR SPINNING", 
+  "hsn_code": "5507"
+ }, 
+ {
+  "description": "SEWING THREAD OF MAN-MADE STAPLE FIBRES, WHETHER OR NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5508"
+ }, 
+ {
+  "description": "YARN (OTHER THAN SEWING THREAD) OF SYNTHETIC STAPLE FIBRES, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5509"
+ }, 
+ {
+  "description": "YARN (OTHER THAN SEWING THREAD) OF ARTIFICIAL STAPLE FIBRES, NOT PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5510"
+ }, 
+ {
+  "description": "YARN (OTHER THAN SEWING THREAD) OF MAN-MADE STAPLE FIBRES, PUT UP FOR RETAIL SALE", 
+  "hsn_code": "5511"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF SYNTHETIC STAPLE FIBRES, CONTAINING 85% OR MORE BY WEIGHT OF SYNTHETIC STAPLE FIBRES", 
+  "hsn_code": "5512"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF SYNTHETIC STAPLE FIBRES, CONTAINING LESS THAN 85% BY WEIGHT OF SUCH FIBRES, MIXED MAINLY OR SOLELY WITH COTTON, OF A WEIGHT NOT EXCEEDING 170G/M2", 
+  "hsn_code": "5513"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF SYNTHETIC STAPLE FIBRES, CONTAINING LESS THAN 85% BY WEIGHT OF SUCH FIBRES, MIXED MAINLY OR SOLELY WITH COTTON, OF A WEIGHT EXCEEDING 170 G/M2", 
+  "hsn_code": "5514"
+ }, 
+ {
+  "description": "Woven fabrics of synthetic staple fibres, n.e.c. in chapter 55", 
+  "hsn_code": "5515"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF ARTIFICIAL STAPLE FIBRES", 
+  "hsn_code": "5516"
+ }, 
+ {
+  "description": "WADDING OF TEXTILE MATERIALS AND ARTICLES THEREOF; TEXTILE FIBRES, NOT EXCEEDING 5 MM IN LENGTH (FLOCK), TEXTILE DUST AND MILL NEPS", 
+  "hsn_code": "5601"
+ }, 
+ {
+  "description": "FELT, WHETHER OR NOT IMPREGNATED, COATED, COVERED OR LAMINATED", 
+  "hsn_code": "5602"
+ }, 
+ {
+  "description": "NONWOVENS, WHETHER OR NOT IMPREGNATED, COATED, COVERED OR LAMINATED", 
+  "hsn_code": "5603"
+ }, 
+ {
+  "description": "RUBBER THREAD & CORD, TEXTILE COVERED; TEXTILE YARN, AND STRIP AND THE LIKE OF HEADING 5404 OR 5405, IMPREGNATED, COATED, COVERED OR SHEATHED WITH RUBBER OR PLASTICS", 
+  "hsn_code": "5604"
+ }, 
+ {
+  "description": "METALLISED YARN, WHETHER OR NOT GIMPED BEING TEXTILE YARN, OR STRIP OR THE LIKE OF HEADING 5404 OR 5405, COMBINED WITH METAL IN THE FORM OF THREAD, STRIP OR POWDER OR COVERED WITH METAL", 
+  "hsn_code": "5605"
+ }, 
+ {
+  "description": "Yarn and strip and the like of heading no. 5404 or 5405, gimped (other than those of heading no. 5606 and gimped horsehair yarn); chenille yarn (including flock chenille yarn); loop wale-yarn", 
+  "hsn_code": "5606"
+ }, 
+ {
+  "description": "TWINE, CORDAGE, ROPES AND CABLES, WHETHER OR NOT PLAITED OR BRAIDED AND WHETHER OR NOT IMPREGNATED, COATED, COVERED OR SHEATHED WITH RUBBER OR PLASTICS", 
+  "hsn_code": "5607"
+ }, 
+ {
+  "description": "KNOTTED NETTING OF TWINE, CORDAGE OR ROPE; MADE UP FISHING NETS AND OTHER MADE UP NETS, OF TEXTILE MATERIALS", 
+  "hsn_code": "5608"
+ }, 
+ {
+  "description": "ARTICLES OF YARN, STRIP OR THE LIKE OF HEADING 5404 OR 5405, TWINE, CORDAGE, ROPE OR CABLES, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "5609"
+ }, 
+ {
+  "description": "CARPETS AND OTHER TEXTILE FLOOR COVERINGS, KNOTTED, WHETHER OR NOT MADE UP", 
+  "hsn_code": "5701"
+ }, 
+ {
+  "description": "CARPETS AND OTHER TEXTILE FLOOR COVERINGS, WOVEN, NOT TUFTED OR FLOCKED, WHETHER OR NOT MADE UP, INCLUDING KELEM, SCHUMACKS, KARAMANIE AND SIMILAR HAND-WOVEN RUGS", 
+  "hsn_code": "5702"
+ }, 
+ {
+  "description": "CARPETS AND OTHER TEXTILE FLOOR COVERINGS, TUFTED, WHETHER OR NOT MADE UP", 
+  "hsn_code": "5703"
+ }, 
+ {
+  "description": "CARPETS AND OTHER TEXTILE FLOOR COVERINGS, OF FELT, NOT TUFTED OR FLOCKED, WHETHER OR NOT MADE UP", 
+  "hsn_code": "5704"
+ }, 
+ {
+  "description": "OTHER CARPETS AND OTHER TEXTILE FLOOR COVERINGS , WHETHER OR NOT MADE UP", 
+  "hsn_code": "5705"
+ }, 
+ {
+  "description": "WOVEN PILE FABRICS AND CHENILLE FABRICS, OTHER THAN FABRICS OF HEADING 5802 OR 5806", 
+  "hsn_code": "5801"
+ }, 
+ {
+  "description": "TERRY TOWELLING AND SIMILAR WOVEN TERRY FABRICS, OTHER THAN NARROW FABRICS OF HEADING 5806; TUFTED TEXTILE FABRICS, OTHER THAN PRODUCTS OF HEADING 5703", 
+  "hsn_code": "5802"
+ }, 
+ {
+  "description": "Gauze; other than narrow fabrics of heading no. 5806", 
+  "hsn_code": "5803"
+ }, 
+ {
+  "description": "TULLES AND OTHER NET FABRICS, NOT INCLUDING WOVEN, KNITTED OR CROCHETED FABRICS; LACE IN THE PIECE, IN STRIPS OR IN MOTIFS, OTHER THAN FABRICS OF HEADING 6002 TO 6006.", 
+  "hsn_code": "5804"
+ }, 
+ {
+  "description": "HAND-WOVEN TAPESTRIES OF THE TYPE GOBELINS, FLANDERS, AUBUSSON, BEAUVAIS AND THE LIKE, AND NEEDLE-WORKED TAPESTRIES (FOR EXAMPLE, PETIT POINT, CROSS STITCH), WHETHER OR NOT MADE UP", 
+  "hsn_code": "5805"
+ }, 
+ {
+  "description": "NARROW WOVEN FABRICS OTHER THAN GOODS OF HEADING 5807; NARROW FABRICS CONSISTING OF WARP WITHOUT WEFT ASSEMBLED BY MEANS OF AN ADHESIVE (BOLDUCS)", 
+  "hsn_code": "5806"
+ }, 
+ {
+  "description": "LABELS, BADGES AND SIMILAR ARTICLES OF TEXTILE MATERIALS, IN THE PIECE, IN STRIPS OR CUT TO SHAPE OR SIZE NOT EMBROIDERED", 
+  "hsn_code": "5807"
+ }, 
+ {
+  "description": "BRAIDS IN THE PIECE; ORNAMENTAL TRIMMINGS IN THE PIECE, WITHOUT EMBROIDERY, OTHER THAN KNITTED OR CROCHETED; TASSELS, POMPONS AND SIMILAR ARTICLES", 
+  "hsn_code": "5808"
+ }, 
+ {
+  "description": "WOVEN FABRICS OF METAL THREAD AND WOVEN FABRICS OF METALLISED YARN OF HEADING 5605, OF A KIND USED IN APPAREL, AS FURNISHING FABRICS OR FOR SIMILAR PURPOSES, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "5809"
+ }, 
+ {
+  "description": "EMBROIDERY IN THE PIECE, IN STRIPS OR IN MOTIFS", 
+  "hsn_code": "5810"
+ }, 
+ {
+  "description": "QUILTED TEXTILE PRODUCTS IN THE PIECE, COMPOSED OF ONE OR MORE LAYERS OF TEXTILE MATERIALS ASSEMBLED WITH PADDING BY STITCHING OR OTHERWISE, OTHER THAN EMBROIDERY OF HEADING 5810", 
+  "hsn_code": "5811"
+ }, 
+ {
+  "description": "TEXTILE FABRICS COATED WITH GUM OR AMYLACEOUS SUBSTANCES, OF A KIND USED FOR THE OUTER COVERS OF BOOKS OR THE LIKE; TRACING CLOTH; PREPARED PAINTING CANVAS; BUCKRAM AND SIMILAR STIFFENED TEXTILE FABRICS OF A KIND USED FOR HAT FOUNDATIONS", 
+  "hsn_code": "5901"
+ }, 
+ {
+  "description": "TYRE CORD FABRIC OF HIGH TENACITY YARN OF NYLON OR OTHER POLYAMIDES, POLYESTERS OR VISCOSE RAYON", 
+  "hsn_code": "5902"
+ }, 
+ {
+  "description": "TEXTILE FABRICS, IMPREGNATED, COATED, COVERED OR LAMINATED WITH PLASTICS, OTHER THAN THOSE OF HEADING 5902", 
+  "hsn_code": "5903"
+ }, 
+ {
+  "description": "LINOLEUM, WHETHER OR NOT CUT TO SHAPE; FLOOR COVERINGS CONSISTING OF A COATING OR COVERING APPLIED ON A TEXTILE BACKING, WHETHER OR NOT CUT TO SHAPE", 
+  "hsn_code": "5904"
+ }, 
+ {
+  "description": "TEXTILE WALL COVERINGS", 
+  "hsn_code": "5905"
+ }, 
+ {
+  "description": "RUBBERISED TEXTILE FABRICS, OTHER THAN THOSE OF HEADING 5902", 
+  "hsn_code": "5906"
+ }, 
+ {
+  "description": "Textile fabrics; otherwise impregnated, coated or covered; painted canvas being theatrical scenery, studio back-cloths or the like", 
+  "hsn_code": "5907"
+ }, 
+ {
+  "description": "TEXTILE WICKS, WOVEN, PLAITED OR KNITTED, FOR LAMPS, STOVES, LIGHTERS, CANDLES OR THE LIKE; INCANDESCENT GAS MANTLES AND TUBULAR KNITTED GAS MANTLE FABRIC THEREFOR, WHETHER OR NOT IMPREGNATED", 
+  "hsn_code": "5908"
+ }, 
+ {
+  "description": "TEXTILE HOSE PIPING AND SIMILAR TEXTILE TUBING, WITH OR WITHOUT LINING, ARMOUR OR ACCESSORIES OF OTHER MATERIALS", 
+  "hsn_code": "5909"
+ }, 
+ {
+  "description": "TRANSMISSION OR CONVEYOR BELTS OR BELTING, OF TEXTILE MATERIAL, WHETHER OR NOT IMPREGNATED, COATED, COVERED OR LAMINATED WITH PLASTICS, OR REINFORCED WITH METAL OR OTHER MATERIAL", 
+  "hsn_code": "5910"
+ }, 
+ {
+  "description": "TEXTILE PRODUCTS AND ARTICLES, FOR TECHNICAL USES, SPECIFIED IN NOTE 7 TO THIS CHAPTER", 
+  "hsn_code": "5911"
+ }, 
+ {
+  "description": "PILE FABRICS, INCLUDING LONG PILE FABRICS AND TERRY FABRICS, KNITTED OR CROCHETED", 
+  "hsn_code": "6001"
+ }, 
+ {
+  "description": "KNITTED OR CROCHETED FABRICS OF A WIDTH NOT EXCEEDING 30 CM, CONTAINING BY WEIGHT 5% OR MORE OF ELASTOMERIC YARN OR RUBBER THREAD, OTHER THAN THOSE OF HEADING 6001", 
+  "hsn_code": "6002"
+ }, 
+ {
+  "description": "KNITTED OR CROCHETED FABRICS OF A WIDTH NOT EXCEEDING 30 CM, OTHER THAN THOSE OF HEADING 6001 OR 6002", 
+  "hsn_code": "6003"
+ }, 
+ {
+  "description": "KNITTED OR CROCHETED FABRICS OF A WIDTH EXCEEDING 30 CM, CONTAINING BY WEIGHT 5% OR MORE OF ELASTOMERIC YARN OR RUBBER THREAD, OTHER THAN THOSE OF HEADING 6001", 
+  "hsn_code": "6004"
+ }, 
+ {
+  "description": "WARP KNIT FABRICS (INCLUDING THOSE MADE ON GALLOON KNITTING MACHINES), OTHER THAN THOSE OF HEADINGS 6001 TO 6004", 
+  "hsn_code": "6005"
+ }, 
+ {
+  "description": "OTHER KNITTED OR CROCHETED FABRICS", 
+  "hsn_code": "6006"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 OVERCOATS, CARCOATS, CAPES, CLOAKS, ANORAKS (INCLUDING SKI-JACKETS), WIND-CHEATERS, WIND-JACKETS AND SIMILAR ARTICLES, KNITTED OR CROCHETED, OTHER THAN THOSE OF HEADING 6103", 
+  "hsn_code": "6101"
+ }, 
+ {
+  "description": "WOMEN\u2019S OR GIRLS\u2019 OVERCOATS, CARCOATS, CAPES, CLOAKS, ANORAKS (INCLUDING SKI-JACKETS), WIND-CHEATERS, WIND-JACKETS AND SIMILAR ARTICLES, KNITTED OR CROCHETED, OTHER THAN THOSE OF HEADING 6104", 
+  "hsn_code": "6102"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 SUITS,ENSEMBLES, JACKETS, BLAZERS, TROUSERS,BIB AND BRACE OVERALLS, BREECHES AND SHORTS(OTHER THAN SWIM WEAR), KNITTED OR CROCHETED", 
+  "hsn_code": "6103"
+ }, 
+ {
+  "description": "WOMEN\u2019S OR GIRLS\u2019 SUITS, ENSEMBLES, JACKETS, BLAZERS, DRESSES, SKIRTS, DIVIDED SKIRTS, TROUSERS, BIB AND BRACE OVERALLS, BREECHES AND SHORTS (OTHER THAN SWIM WEAR), KNITTED OR CROCHETED", 
+  "hsn_code": "6104"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 SHIRTS, KNITTED OR CROCHETED", 
+  "hsn_code": "6105"
+ }, 
+ {
+  "description": "WOMEN\u2019S OR GIRLS\u2019 BLOUSES, SHIRTS AND SHIRT-BLOUSES, KNITTED OR CROCHETED", 
+  "hsn_code": "6106"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 UNDERPANTS, BRIEFS, NIGHTSHIRTS, PYJAMAS, BATHROBES, DRESSING GOWNS AND SIMILAR ARTICLES, KNITTED OR CROCHETED", 
+  "hsn_code": "6107"
+ }, 
+ {
+  "description": "Slips, petticoats, briefs, panties, nightdresses, pyjamas, negligees, bathrobes, dressing gowns and similar articles; women\u2019s or girls\u2019, knitted or crocheted", 
+  "hsn_code": "6108"
+ }, 
+ {
+  "description": "T-SHIRTS, SINGLETS AND OTHER VESTS, KNITTED OR CROCHETED", 
+  "hsn_code": "6109"
+ }, 
+ {
+  "description": "JERSEYS, PULLOVERS, CARDIGANS, WAISTCOATS AND SIMILAR ARTICLES, KNITTED OR CROCHETED", 
+  "hsn_code": "6110"
+ }, 
+ {
+  "description": "Jerseys, pullovers, cardigans, waistcoats and similar articles; knitted or crocheted", 
+  "hsn_code": "6110"
+ }, 
+ {
+  "description": "BABIES\u2019 GARMENTS AND CLOTHING ACCESSORIES, KNITTED OR CROCHETED", 
+  "hsn_code": "6111"
+ }, 
+ {
+  "description": "TRACK SUITS, SKI SUITS AND SWIMWEAR, KNITTED OR CROCHETED", 
+  "hsn_code": "6112"
+ }, 
+ {
+  "description": "Garments, made up of knitted or crocheted fabrics of heading 5903, 5906 or 5907", 
+  "hsn_code": "6113"
+ }, 
+ {
+  "description": "OTHER GARMENTS, KNITTED OR CROCHETED", 
+  "hsn_code": "6114"
+ }, 
+ {
+  "description": "PANTYHOSE, TIGHTS, STOCKINGS, SOCKS AND OTHER HOSIERY, INCLUDING GRADUATED COMPRESSION HOSIERY (FOR EXAMPLE, STOCKINGS FOR VARICOSE VEINS) AND FOOTWEAR WITHOUT APPLIED SOLES, KNITTED OR CROCHETED", 
+  "hsn_code": "6115"
+ }, 
+ {
+  "description": "GLOVES, MITTENS AND MITTS, KNITTED OR CROCHETED", 
+  "hsn_code": "6116"
+ }, 
+ {
+  "description": "OTHER MADE UP CLOTHING ACCESSORIES, KNITTED OR CROCHETED; KNITTED OR CROCHETED PARTS OF GARMENTS OR OF CLOTHING ACCESSORIES", 
+  "hsn_code": "6117"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 OVERCOATS, CAR-COATS, CLOAKS, ANORAKS (INCLUDING SKI-JACKETS), WIND-CHEATERS, WIND JACKETS AND SIMILAR ARTICLES OTHER THAN THOSE OF HEADING 6203", 
+  "hsn_code": "6201"
+ }, 
+ {
+  "description": "WOMEN\u2019S OR GIRLS\u2019 OVERCOATS, CAR-COATS, CAPES, CLOAKS, ANORAKS (INCLUDING SKI-JACKETS), WIND-CHEATERS, WIND-JACKETS AND SIMILAR ARTICLES, OTHER THAN THOSE OF HEADING 6204", 
+  "hsn_code": "6202"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 SUITS, ENSEMBLES, JACKETS, BLAZERS, TROUSERS BIB AND BRACE OVERALLS, BREECHES AND SHORTS (OTHER THAN SWIMWEAR)", 
+  "hsn_code": "6203"
+ }, 
+ {
+  "description": "Suits, ensembles, jackets, dresses, skirts, divided skirts, trousers, bib and brace overalls, breeches and shorts (other than swimwear); women\u2019s or girls\u2019 (not knitted or crocheted)", 
+  "hsn_code": "6204"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 SHIRTS", 
+  "hsn_code": "6205"
+ }, 
+ {
+  "description": "WOMEN\u2019S OR GIRLS\u2019 BLOUSES, SHIRTS AND SHIRT-BLOUSES", 
+  "hsn_code": "6206"
+ }, 
+ {
+  "description": "MEN\u2019S OR BOYS\u2019 SINGLETS AND OTHER VESTS, UNDERPANTS, BRIEFS, NIGHTSHIRTS, PYJAMAS, BATHROBES, DRESSING GOWNS AND SIMILAR ARTICLES", 
+  "hsn_code": "6207"
+ }, 
+ {
+  "description": "WOMEN\u2019S OR GIRLS\u2019 SINGLETS AND OTHER VESTS, SLIPS, PETTICOATS, BRIEFS, PANTIES, NIGHTDRESSES, PYJAMAS, NEGLIGES, BATHROBES, DRESSING GOWNS AND SIMILAR ARTICLES", 
+  "hsn_code": "6208"
+ }, 
+ {
+  "description": "BABIES\u2019 GARMENTS AND CLOTHING ACCESSORIES", 
+  "hsn_code": "6209"
+ }, 
+ {
+  "description": "GARMENTS, MADE UP OF FABRICS OF HEADING 5602, 5603, 5903, 5906 OR 5907", 
+  "hsn_code": "6210"
+ }, 
+ {
+  "description": "TRACK SUITS, SKI SUITS AND SWIMWEAR; OTHER GARMENTS", 
+  "hsn_code": "6211"
+ }, 
+ {
+  "description": "BRASSIERES, GIRDLES, CORSETS, BRACES, SUSPENDERS, GARTERS AND SIMILAR ARTICLES AND PARTS THEREOF, WHETHER OR NOT KNITTED OR CROCHETED", 
+  "hsn_code": "6212"
+ }, 
+ {
+  "description": "HANDKERCHIEFS", 
+  "hsn_code": "6213"
+ }, 
+ {
+  "description": "SHAWLS, SCARVES, MUFFLERS, MANTILLAS, VEILS AND THE LIKE", 
+  "hsn_code": "6214"
+ }, 
+ {
+  "description": "TIES, BOW TIES AND CRAVATS", 
+  "hsn_code": "6215"
+ }, 
+ {
+  "description": "GLOVES, MITTENS AND MITTS", 
+  "hsn_code": "6216"
+ }, 
+ {
+  "description": "OTHER MADE UP CLOTHING ACCESSORIES; PARTS OF GARMENTS OR OF CLOTHING ACCESSORIES, OTHER THAN THOSE OF HEADING 6212", 
+  "hsn_code": "6217"
+ }, 
+ {
+  "description": "BLANKETS AND TRAVELLING RUGS", 
+  "hsn_code": "6301"
+ }, 
+ {
+  "description": "BED LINEN, TABLE LINEN, TOILET LINEN AND KITCHEN LINEN", 
+  "hsn_code": "6302"
+ }, 
+ {
+  "description": "CURTAINS (INCLUDING DRAPES) AND INTERIOR BLINDS: CURTAIN OR BED VALANCES", 
+  "hsn_code": "6303"
+ }, 
+ {
+  "description": "OTHER FURNISHING ARTICLES, EXCLUDING THOSE OF HEADING 9404", 
+  "hsn_code": "6304"
+ }, 
+ {
+  "description": "SACKS AND BAGS, OF A KIND USED FOR THE PACKING OF GOODS", 
+  "hsn_code": "6305"
+ }, 
+ {
+  "description": "TARPAULINS, AWNINGS AND SUNBLINDS; TENTS; SAILS FOR BOATS, SAILBOARDS OR LANDCRAFT; CAMPING GOODS", 
+  "hsn_code": "6306"
+ }, 
+ {
+  "description": "OTHER MADE UP ARTICLES, INCLUDING DRESS PATTERNS", 
+  "hsn_code": "6307"
+ }, 
+ {
+  "description": "Sets consisting of woven fabric and yarn, whether or not with accessories, for making up into rugs, tapestries, embroidered table cloths or serviettes, or similar textile articles, put up in packings for retail sale", 
+  "hsn_code": "6308"
+ }, 
+ {
+  "description": "Worn clothing and other worn articles", 
+  "hsn_code": "6309"
+ }, 
+ {
+  "description": "USED OR NEW RAGS, SCRAP TWINE, CORDAGE, ROPE AND CABLES AND WORN OUT ARTICLES OF TWINE, CORDAGE, ROPE OR CABLES, OF TEXTILE MATERIALS", 
+  "hsn_code": "6310"
+ }, 
+ {
+  "description": "Footwear / Headgear", 
+  "hsn_code": "64-67"
+ }, 
+ {
+  "description": "WATERPROOF FOOTWEAR WITH OUTER SOLES AND UPPERS OF RUBBER OR OF PLASTICS, THE UPPERS OF WHICH ARE NEITHER FIXED TO THE SOLE NOR ASSEMBLED BY STITCHING, RIVETING, NAILING, SCREWING, PLUGGING OR SIMILAR PROCESSES", 
+  "hsn_code": "6401"
+ }, 
+ {
+  "description": "HATS AND OTHER HEADGEAR, KNITTED OR  CROCHETED, OR MADE UP FROM LACE, FELT OR OTHER TEXTILE FABRIC, IN THE PIECE  (BUT NOT IN STRIPS), WHETHER OR NOT LINED  OR TRIMMED; HAIR-NETS OF ANY MATERIAL, WHETHER OR NOT LINED OR TRIMMED", 
+  "hsn_code": "6505"
+ }, 
+ {
+  "description": "OTHER HEADGEAR, WHETHER OR NOT LINED OR TRIMMED", 
+  "hsn_code": "6506"
+ }, 
+ {
+  "description": "Head-bands, linings, covers, hat foundations, hat frames, peaks and chinstraps, for headgear", 
+  "hsn_code": "6507"
+ }, 
+ {
+  "description": "UMBRELLAS AND SUN UMBRELLAS (INCLUDING WALKING-STICK UMBRELLAS, GARDEN UMBRELLAS AND SIMILAR UMBRELLAS)", 
+  "hsn_code": "6601"
+ }, 
+ {
+  "description": "Walking-sticks, seat-sticks, whips, riding-crops and the like", 
+  "hsn_code": "6602"
+ }, 
+ {
+  "description": "PARTS, TRIMMINGS AND ACCESSORIES OF ARTICLES OF HEADING 6601 TO 6602", 
+  "hsn_code": "6603"
+ }, 
+ {
+  "description": "SKINS AND OTHER PARTS OF BIRDS WITH THEIR FEATHERS OR DOWN, FEATHERS, PARTS OF FEATHERS, DOWN AND ARTICLES THEREOF (OTHER THAN GOODS OF HEADING 0505 AND WORKED QUILLS AND SCAPES)", 
+  "hsn_code": "6701"
+ }, 
+ {
+  "description": "ARTIFICIAL FLOWERS, FOLIAGE AND FRUIT AND PARTS THEREOF; ARTICLES MADE OF ARTIFICIAL FLOWERS, FOLIAGE OR FRUIT", 
+  "hsn_code": "6702"
+ }, 
+ {
+  "description": "HUMAN HAIR, DRESSED, THINNED, BLEACHED OR OTHERWISE WORKED; WOOL OR OTHER ANIMAL HAIR OR OTHER TEXTILE MATERIALS, PREPARED FOR USE IN MAKING WIGS OR THE LIKE", 
+  "hsn_code": "6703"
+ }, 
+ {
+  "description": "WIGS, FALSE BEARDS, EYEBROWS AND EYELASHES, SWITCHES AND THE LIKE, OF HUMAN OR ANIMAL HAIR OR OF TEXTILE MATERIALS; ARTICLES OF HUMAN HAIR NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "6704"
+ }, 
+ {
+  "description": "Stone / Glass", 
+  "hsn_code": "68-71"
+ }, 
+ {
+  "description": "Sets, curbstones and flagstones, of natural stone (except slate)", 
+  "hsn_code": "6801"
+ }, 
+ {
+  "description": "WORKED MONUMENTAL OR BUILDING STONE (EXCEPT SLATE) AND ARTICLES THEREOF, OTHER THAN GOODS OF HEADING 6801; MOSAIC CUBES AND THE LIKE, OF NATURAL STONE (INCLUDING SLATE), WHETHER OR NOT ON A BACKING; ARTIFICIALLY COLOURED GRANULES, CHIPPINGS AND POWDER, OF NATURAL STONE (INCLUDING SLATE)", 
+  "hsn_code": "6802"
+ }, 
+ {
+  "description": "Worked slate and articles of slate or of agglomerated slate", 
+  "hsn_code": "6803"
+ }, 
+ {
+  "description": "MILLSTONES, GRINDSTONES, GRINDING, WHEELS AND THE LIKE, WITHOUT FRAMEWORKS, FOR GRINDING, SHARPENING, POLISHING TRUEING OR CUTTING, HAND SHARPENING OR POLISHING STONES, AND PARTS THEREOF, OF NATURAL STONE, OF AGGLOMERATED NATURAL OR ARTIFICIAL ABRASIVES, OR OF CERAMICS, WITH OR WITHOUT PARTS OF OTHER MATERIALS", 
+  "hsn_code": "6804"
+ }, 
+ {
+  "description": "NATURAL OR ARTIFICIAL ABRASIVE POWDER OR GRAIN, ON A BASE OF TEXTILE MATERIAL, OF PAPER, OF PAPERBOARD OR OF OTHER MATERIALS, WHETHER OR NOT CUT TO SHAPE OR SEWN OR OTHERWISE MADE UP", 
+  "hsn_code": "6805"
+ }, 
+ {
+  "description": "SLAG WOOL, ROCK WOOL AND SIMILAR MINERAL WOOLS; EXFOLIATED VERMICULATE, EXPANDED CLAYS, FOAMED SLAG AND SIMILAR EXPANDED MINERAL MATERIALS; MIXTURES AND ARTICLES OF HEAT INSULATING, SOUND-INSULATING OR SOUND-ABSORBING MINERAL MATERIALS, OTHER THAN THOSE OF HEADING 6811 OR 6812 OR OF CHAPTER 69", 
+  "hsn_code": "6806"
+ }, 
+ {
+  "description": "ARTICLES OF ASPHALT OR OF SIMILAR MATERIAL (FOR EXAMPLE, PETROLEUM BITUMEN OR COAL TAR PITCH)", 
+  "hsn_code": "6807"
+ }, 
+ {
+  "description": "ARTICLES OF ASPHALT OR OF SIMILAR MATERIAL (FOR EXAMPLE, PETROLEUM BITUMEN OR COAL TAR PITCH)", 
+  "hsn_code": "6808"
+ }, 
+ {
+  "description": "ARTICLES OF PLASTER OR OF COMPOSITIONS BASED ON PLASTER", 
+  "hsn_code": "6809"
+ }, 
+ {
+  "description": "ARTICLES OF CEMENT, OF CONCRETE OR OF ARTIFICIAL STONE, WHETHER OR NOT REINFORCED", 
+  "hsn_code": "6810"
+ }, 
+ {
+  "description": "ARTICLES OF ASBESTOS-CEMENT, OF CELLULOSE FIBRE-CEMENT OR THE LIKE", 
+  "hsn_code": "6811"
+ }, 
+ {
+  "description": "FABRICATED ASBESTOS FIBRES; MIXTURES WITH A BASIS OF ASBESTOS OR WITH A BASIS OF ASBESTOS AND MAGNESIUM CARBONATE; ARTICLES OF SUCH MIXTURES OR OF ASBESTOS (FOR EXAMPLE, THREAD, WOVEN FABRIC, CLOTHING, HEAD-GEAR, FOOTWEAR, GASKETS), WHETHER OR NOT REINFORCED, OTHER THAN GOODS OF HEADING 6811 OR 6813", 
+  "hsn_code": "6812"
+ }, 
+ {
+  "description": "FRICTION MATERIAL AND ARTICLES THEREOF (FOR EXAMPLE, SHEETS, ROLLS, STRIPS, SEGMENTS, DISCS, WASHERS, PADS ), NOT MOUNTED, FOR BRAKES, FOR CLUTCHES OR THE LIKE, WITH A BASIS OF ASBESTOS, OF OTHER MINERAL SUBSTANCES OR OF CELLULOSE, WHETHER OR NOT COMBINED WITH TEXTILE OR OTHER MATERIALS", 
+  "hsn_code": "6813"
+ }, 
+ {
+  "description": "WORKED MICA AND ARTICLES OF MICA, INCLUDING AGGLOMERATED OR RECONSTITUTED MICA, WHETHER OR NOT ON A SUPPORT OF PAPER, PAPERBOARD OR OTHER MATERIALS", 
+  "hsn_code": "6814"
+ }, 
+ {
+  "description": "ARTICLES OF STONE OR OF OTHER MINERAL SUBSTANCES (INCLUDING CARBON FIBRES, ARTICLES OF CARBON FIBRES AND ARTICLES OF PEAT), NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "6815"
+ }, 
+ {
+  "description": "BRICKS, BLOCKS, TILES AND OTHER CERAMIC GOODS, OF SILICEOUS FOSSIL MEALS (FOR EXAMPLE, KIESELGUHR, TRIPOLITE OR DIATOMITE) OR OF SIMILAR SILICEOUS EARTHS", 
+  "hsn_code": "6901"
+ }, 
+ {
+  "description": "REFRACTORY BRICKS, BLOCKS, TILES AND SIMILAR REFRACTORY CERAMIC CONSTRUCTIONAL GOODS, OTHER THAN THOSE OF SILICEOUS FOSSIL MEALS OR SIMILAR SILICEOUS EARTHS", 
+  "hsn_code": "6902"
+ }, 
+ {
+  "description": "OTHER REFRACTORY CERAMIC GOODS (FOR EXAMPLE, RETORTS, CRUCIBLES, MUFFLES, NOZZLES, PLUGS, SUPPORTS, CUPELS, TUBES, PIPES, SHEATHS AND RODS), OTHER THAN THOSE OF SILICEOUS FOSSIL MEALS OR OF SIMILAR SILICEOUS EARTHS", 
+  "hsn_code": "6903"
+ }, 
+ {
+  "description": "CERAMIC BUILDING BRICKS, FLOORING BLOCKS, SUPPORT OR FILLER TILES AND THE LIKE", 
+  "hsn_code": "6904"
+ }, 
+ {
+  "description": "ROOFING TILES, CHIMNEY-POTS, COWLS, CHIMNEY LINERS, ARCHITECTURAL ORNAMENTS AND OTHER CERAMIC CONSTRUCTIONAL GOODS", 
+  "hsn_code": "6905"
+ }, 
+ {
+  "description": "Ceramic pipes, conduits, guttering and pipe fittings", 
+  "hsn_code": "6906"
+ }, 
+ {
+  "description": "UNGLAZED CERAMIC FLAGS AND PAVING, HEARTH OR WALL TILES; UNGLAZED CERAMIC MOSAIC CUBES AND THE LIKE, WHETHER OR NOT ON A BACKING", 
+  "hsn_code": "6907"
+ }, 
+ {
+  "description": "GLAZED CERAMIC FLAGS AND PAVING, HEARTH OR WALL TILES; GLAZED CERAMIC MOSAIC CUBES AND THE LIKE, WHETHER OR NOT ON A BACKING", 
+  "hsn_code": "6908"
+ }, 
+ {
+  "description": "CERAMIC WARES FOR LABORATORY, CHEMICAL OR OTHER TECHNICAL USES; CERAMIC TROUGHS, TUBS AND SIMILAR RECEPTACLES OF A KIND USED IN AGRICULTURE; CERAMIC POTS, JARS AND SIMILAR ARTICLES OF A KIND USED FOR THE CONVEYANCE OR PACKING OF GOODS", 
+  "hsn_code": "6909"
+ }, 
+ {
+  "description": "CERAMIC SINKS, WASH BASINS, WASH BASIN PEDESTALS, BATHS, BIDETS, WATER CLOSET PANS, FLUSHING CISTERNS, URINALS AND SIMILAR SANITARY FIXTURES", 
+  "hsn_code": "6910"
+ }, 
+ {
+  "description": "TABLEWARE, KITCHENWARE, OTHER HOUSEHOLD ARTICLES AND TOILET ARTICLES, OF PORCELAIN OR CHINA", 
+  "hsn_code": "6911"
+ }, 
+ {
+  "description": "CERAMIC TABLEWARE, KITCHENWARE, OTHER HOUSEHOLD ARTICLES AND TOILET ARTICLES, OTHER THAN OF PORCELAIN OR CHINA", 
+  "hsn_code": "6912"
+ }, 
+ {
+  "description": "STATUETTES AND OTHER ORNAMENTAL CERAMIC ARTICLES", 
+  "hsn_code": "6913"
+ }, 
+ {
+  "description": "OTHER CERAMIC ARTICLES", 
+  "hsn_code": "6914"
+ }, 
+ {
+  "description": "CULLET AND OTHER WASTE AND SCRAP OF GLASS; GLASS IN THE MASS", 
+  "hsn_code": "7001"
+ }, 
+ {
+  "description": "GLASS IN BALLS (OTHER THAN MICROSPHERES OF HEADING 7018), RODS OR TUBES, UNWORKED", 
+  "hsn_code": "7002"
+ }, 
+ {
+  "description": "CAST GLASS AND ROLLED GLASS, IN SHEETS OR PROFILES, WHETHER OR NOT HAVING AN ABSORBENT, REFLECTING OR NON-REFLECTING LAYER, BUT NOT OTHERWISE WORKED", 
+  "hsn_code": "7003"
+ }, 
+ {
+  "description": "DRAWN GLASS AND BLOWN GLASS, IN SHEETS, WHETHER OR NOT HAVING AN ABSORBENT, REFLECTING OR NON-REFLECTING LAYER BUT NOT OTHERWISE WORKED", 
+  "hsn_code": "7004"
+ }, 
+ {
+  "description": "FLOAT GLASS AND SURFACE GROUND OR POLISHED GLASS, IN SHEETS, WHETHER OR NOT HAVING AN ABSORBENT, REFLECTING OR NON-REFLECTING LAYER, BUT NOT OTHERWISE WORKED", 
+  "hsn_code": "7005"
+ }, 
+ {
+  "description": "SAFETY GLASS, CONSISTING OF TOUGHENED (TEMPERED) OR LAMINATED GLASS", 
+  "hsn_code": "7007"
+ }, 
+ {
+  "description": "MULTIPLE-WALLED INSULATING UNITS OF GLASS", 
+  "hsn_code": "7008"
+ }, 
+ {
+  "description": "GLASS MIRRORS, WHETHER OR NOT FRAMED, INCLUDING REAR-VIEW MIRRORS", 
+  "hsn_code": "7009"
+ }, 
+ {
+  "description": "CARBOYS, BOTTLES, FLASKS, JARS, POTS, PHIALS, AMPOULES AND OTHER CONTAINERS, OF GLASS, OF A KIND USED FOR THE CONVEYANCE OR PACKING OF GOODS; PRESERVING JARS OF GLASS; STOPPERS, LIDS AND OTHER CLOSURES, OF GLASS", 
+  "hsn_code": "7010"
+ }, 
+ {
+  "description": "GLASS ENVELOPES (INCLUDING BULBS AND TUBES), OPEN, AND GLASS PARTS THEREOF, WITHOUT FITTINGS, FOR ELECTRIC LAMPS, CATHODE-RAY TUBES OR THE LIKE", 
+  "hsn_code": "7011"
+ }, 
+ {
+  "description": "GLASSWARE OF A KIND USED FOR TABLE, KITCHEN, TOILET, OFFICE, INDOOR DECORATION OR SIMILAR PURPOSES (OTHER THAN THAT OF HEADING 7010 OR 7018)", 
+  "hsn_code": "7013"
+ }, 
+ {
+  "description": "SIGNALLING GLASSWARE AND OPTICAL ELEMENTS OF GLASS (OTHER THAN THOSE OF HEADING 7015), NOT OPTICALLY WORKED", 
+  "hsn_code": "7014"
+ }, 
+ {
+  "description": "CLOCK OR WATCH GLASSES AND SIMILAR GLASSES, FOR NON-CORRECTIVE OR CORRECTIVE SPECTACLES, CURVED, BENT, HOLLOWED OR THE LIKE; NOT OPTICALLY WORKED; HOLLOW GLASS SPHERES AND THEIR SEGMENTS, FOR THE MANUFACTURE OF SUCH GLASSES", 
+  "hsn_code": "7015"
+ }, 
+ {
+  "description": "PAVING BLOCKS, SLABS, BRICKS, SQUARES, TILES AND OTHER ARTICLES OF PRESSED OR MOULDED GLASS, WHETHER OR NOT WIRED, OF A KIND USED FOR BUILDING OR CONSTRUCTION PURPOSES; GLASS CUBES AND OTHER GLASS SMALL WARES, WHETHER OR NOT ON A BACKING, FOR MOSAICS OR SIMILAR DECORATIVE PURPOSES; LEADED LIGHTS AND THE LIKE; MULTI-CELLULAR OR FOAM GLASS IN BLOCKS, PANELS, PLATES, SHELLS OR SIMILAR FORMS", 
+  "hsn_code": "7016"
+ }, 
+ {
+  "description": "LABORATORY, HYGIENIC OR PHARMACEUTICAL GLASSWARE, WHETHER OR NOT GRADUATED OR CALIBRATED", 
+  "hsn_code": "7017"
+ }, 
+ {
+  "description": "GLASS BEADS, IMITATION PEARLS, IMITATION PRECIOUS OR SEMI-PRECIOUS STONES AND SIMILAR GLASS SMALLWARES, AND ARTICLES THEREOF OTHER THAN IMITATION JEWELLERY; GLASS EYES OTHER THAN PROSTHETIC ARTICLES; STATUETTES AND OTHER ORNAMENTS OF LAMP-WORKED GLASS, OTHER THAN IMITATION JEWELLERY; GLASS MICROSPHERES NOT EXCEEDING 1 MM IN DIAMETER", 
+  "hsn_code": "7018"
+ }, 
+ {
+  "description": "GLASS FIBRES (INCLUDING GLASS WOOL) AND ARTICLES THEREOF (FOR EXAMPLE, YARN, WOVEN FABRICS)", 
+  "hsn_code": "7019"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF GLASS", 
+  "hsn_code": "7020"
+ }, 
+ {
+  "description": "PEARLS, NATURAL OR CULTURED, WHETHER OR NOT WORKED OR GRADED BUT NOT STRUNG, MOUNTED OR SET; PEARLS, NATURAL OR CULTURED, TEMPORARILY STRUNG FOR CONVENIENCE OF TRANSPORT", 
+  "hsn_code": "7101"
+ }, 
+ {
+  "description": "DIAMONDS, WHETHER OR NOT WORKED, BUT NOT MOUNTED OR SET", 
+  "hsn_code": "7102"
+ }, 
+ {
+  "description": "PRECIOUS STONES (OTHER THAN DIAMONDS) AND SEMI-PRECIOUS STONES, WHETHER OR NOT WORKED OR GRADED BUT NOT STRUNG, MOUNTED OR SET; UNGRADED PRECIOUS STONES (OTHER THAN DIAMONDS) AND SEMI-PRECIOUS STONES, TEMPORARILY STRUNG FOR CONVENIENCE OF TRANSPORT", 
+  "hsn_code": "7103"
+ }, 
+ {
+  "description": "SYNTHETIC OR RECONSTRUCTED PRECIOUS OR SEMI-PRECIOUS STONES, WHETHER OR NOT WORKED OR GRADED BUT NOT STRUNG, MOUNTED OR SET; UNGRADED SYNTHETIC OR RECONSTRUCTED PRECIOUS OR SEMI-PRECIOUS STONES, TEMPORARILY STRUNG FOR CONVENIENCE OF TRANSPORT", 
+  "hsn_code": "7104"
+ }, 
+ {
+  "description": "DUST AND POWDER OF NATURAL OR SYNTHETIC PRECIOUS OR SEMI-PRECIOUS STONES", 
+  "hsn_code": "7105"
+ }, 
+ {
+  "description": "SILVER (INCLUDING SILVER PLATED WITH GOLD OR PLATINUM), UNWROUGHT OR IN SEMI-MANUFACTURED FORMS, OR IN POWDER FORM", 
+  "hsn_code": "7106"
+ }, 
+ {
+  "description": "Base metals clad with silver, not further worked than semi-manufactured", 
+  "hsn_code": "7107"
+ }, 
+ {
+  "description": "GOLD (INCLUDING GOLD PLATED WITH PLATINUM) UNWROUGHT OR IN SEMI-MANUFACTURED FORMS, OR IN POWDER FORM", 
+  "hsn_code": "7108"
+ }, 
+ {
+  "description": "Base metals or silver, clad with gold, not further worked than semi-manufactured", 
+  "hsn_code": "7109"
+ }, 
+ {
+  "description": "PLATINUM, UNWROUGHT OR IN SEMI- MANUFACTURED FORM, OR IN POWDER FORM", 
+  "hsn_code": "7110"
+ }, 
+ {
+  "description": "Base metals, silver or gold, clad with platinum, not further worked than semi-manufactured", 
+  "hsn_code": "7111"
+ }, 
+ {
+  "description": "WASTE AND SCRAP OF PRECIOUS METAL OR OF METAL CLAD WITH PRECIOUS METAL; OTHER WASTE AND SCRAP CONTAINING PRECIOUS METAL OR PRECIOUS METAL COMPOUNDS, OF A KIND USED PRINCIPALLY FOR THE RECOVERY OF PRECIOUS METAL", 
+  "hsn_code": "7112"
+ }, 
+ {
+  "description": "ARTICLES OF JEWELLERY AND PARTS THEREOF, OF PRECIOUS METAL OR OF METAL CLAD WITH PRECIOUS METAL", 
+  "hsn_code": "7113"
+ }, 
+ {
+  "description": "ARTICLES OF GOLDSMITHS\u2019 OR SILVERSMITHS\u2019 WARES AND PARTS THEREOF, OF PRECIOUS METAL OR OF METAL CLAD WITH PRECIOUS METAL", 
+  "hsn_code": "7114"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF PRECIOUS METAL OR OF METAL CLAD WITH PRECIOUS METAL", 
+  "hsn_code": "7115"
+ }, 
+ {
+  "description": "ARTICLES OF NATURAL OR CULTURED PEARLS, PRECIOUS OR SEMI-PRECIOUS STONES (NATURAL, SYNTHETIC OR RECONSTRUCTED)", 
+  "hsn_code": "7116"
+ }, 
+ {
+  "description": "IMITATION JEWELLERY", 
+  "hsn_code": "7117"
+ }, 
+ {
+  "description": "COIN", 
+  "hsn_code": "7118"
+ }, 
+ {
+  "description": "Metals", 
+  "hsn_code": "72-83"
+ }, 
+ {
+  "description": "PIG IRON AND SPIEGELEISEN IN PIGS, BLOCKS OR OTHER PRIMARY FORMS", 
+  "hsn_code": "7201"
+ }, 
+ {
+  "description": "FERRO-ALLOYS", 
+  "hsn_code": "7202"
+ }, 
+ {
+  "description": "FERROUS PRODUCTS OBTAINED BY DIRECT REDUCTION OF IRON ORE AND OTHER SPONGY FERROUS PRODUCTS, IN LUMPS, PELLETS OR SIMILAR FORMS; IRON HAVING MINIMUM PURITY BY WEIGHT OF 99.94%, IN LUMPS, PELLETS OR SIMILAR FORMS", 
+  "hsn_code": "7203"
+ }, 
+ {
+  "description": "FERROUS WASTE AND SCRAP; REMELTING SCRAP INGOTS OF IRON OR STEEL", 
+  "hsn_code": "7204"
+ }, 
+ {
+  "description": "GRANULES AND POWDERS, OF PIG IRON, SPIEGELEISEN, IRON OR STEEL", 
+  "hsn_code": "7205"
+ }, 
+ {
+  "description": "IRON AND NON-ALLOY STEEL IN INGOTS OTHER PRIMARY FORMS (EXCLUDING IRON OF HEADING 7203)", 
+  "hsn_code": "7206"
+ }, 
+ {
+  "description": "SEMI-FINISHED PRODUCTS OF IRON OR NON-ALLOY STEEL", 
+  "hsn_code": "7207"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF IRON OR NON-ALLOY STEEL, OF A WIDTH OF 600 MM OR MORE, HOT-ROLLED, NOT CLAD, PLATED OR COATED", 
+  "hsn_code": "7208"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF IRON OR NON-ALLOY STEEL, OF A WIDTH OF 600 MM OR MORE, COLD-ROLLED (COLD-REDUCED), NOT CLAD, PLATED OR COATED", 
+  "hsn_code": "7209"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF IRON OR NON-ALLOY STEEL, OF A WIDTH OF 600 MM OR MORE, CLAD, PLATED OR COATED", 
+  "hsn_code": "7210"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF IRON OR NON-ALLOY STEEL, OF A WIDTH OF LESS THAN 600 MM, NOT CLAD, PLATED OR COATED", 
+  "hsn_code": "7211"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF IRON OR NON-ALLOY STEEL, OF A WIDTH OF LESS THAN 600 MM, CLAD, PLATED OR COATED", 
+  "hsn_code": "7212"
+ }, 
+ {
+  "description": "BARS AND RODS, HOT-ROLLED, IN IRREGULARLY WOUND COILS, OF IRON OR NON-ALLOY STEEL", 
+  "hsn_code": "7213"
+ }, 
+ {
+  "description": "OTHER BARS AND RODS OF IRON OR NON-ALLOY STEEL, NOT FURTHER WORKED THAN FORGED, HOT-ROLLED, HOT-DRAWN OR HOT-EXTRUDED, BUT INCLUDING THOSE TWISTED AFTER ROLLING", 
+  "hsn_code": "7214"
+ }, 
+ {
+  "description": "OTHER BARS AND RODS OF IRON OR NON-ALLOY STEEL", 
+  "hsn_code": "7215"
+ }, 
+ {
+  "description": "ANGLES, SHAPES AND SECTIONS OF IRON OR NON-ALLOY STEEL", 
+  "hsn_code": "7216"
+ }, 
+ {
+  "description": "WIRE OF IRON OR NON-ALLOY STEEL", 
+  "hsn_code": "7217"
+ }, 
+ {
+  "description": "STAINLESS STEEL IN INGOTS OR OTHER PRIMARY FORMS; SEMI-FINISHED PRODUCTS OF STAINLESS STEEL", 
+  "hsn_code": "7218"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF STAINLESS STEEL, OF A WIDTH OF 600 MM OR MORE", 
+  "hsn_code": "7219"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF STAINLESS STEEL, OF A WIDTH OF LESS THAN 600 MM", 
+  "hsn_code": "7220"
+ }, 
+ {
+  "description": "BARS AND RODS, HOT-ROLLED, IN IRREGULARLY WOUND COILS, OF STAINLESS STEEL", 
+  "hsn_code": "7221"
+ }, 
+ {
+  "description": "OTHER BARS AND RODS OF STAINLESS STEEL; ANGLES, SHAPES AND SECTIONS OF STAINLESS STEEL", 
+  "hsn_code": "7222"
+ }, 
+ {
+  "description": "WIRE OF STAINLESS STEEL", 
+  "hsn_code": "7223"
+ }, 
+ {
+  "description": "OTHER ALLOY STEEL IN INGOTS OR OTHER PRIMARY FORMS; SEMI-FINISHED PRODUCTS OF OTHER ALLOY STEEL", 
+  "hsn_code": "7224"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF OTHER ALLOY STEEL, OF A WIDTH OF 600 MM OR MORE", 
+  "hsn_code": "7225"
+ }, 
+ {
+  "description": "FLAT-ROLLED PRODUCTS OF OTHER ALLOY STEEL, OF A WIDTH OF LESS THAN 600 MM", 
+  "hsn_code": "7226"
+ }, 
+ {
+  "description": "BARS AND RODS, HOT-ROLLED, IN IRREGULARLY WOUND COILS, OF OTHER ALLOY STEEL", 
+  "hsn_code": "7227"
+ }, 
+ {
+  "description": "OTHER BARS AND RODS OF OTHER ALLOY STEEL; ANGLES, SHAPES AND SECTIONS, OF OTHER ALLOY STEEL; HOLLOW DRILL BARS AND RODS, OF ALLOY OR NON-ALLOY STEEL", 
+  "hsn_code": "7228"
+ }, 
+ {
+  "description": "WIRE OF OTHER ALLOY STEEL", 
+  "hsn_code": "7229"
+ }, 
+ {
+  "description": "SHEET PILING OF IRON OR STEEL, WHETHER OR NOT DRILLED, PUNCHED OR MADE FROM ASSEMBLED ELEMENTS; WELDED ANGLES, SHAPES AND SECTIONS, OF IRON OR STEEL", 
+  "hsn_code": "7301"
+ }, 
+ {
+  "description": "RAILWAY OR TRAMWAY TRACK CONSTRUCTION MATERIAL OF IRON OR STEEL, THE FOLLOWING: RAILS, CHECK-RAILS AND RACK RAILS, SWITCH BLADES, CROSSING FROGS, POINT RODS AND OTHER CROSSING PIECES, SLEEPERS (CROSS-TIES), FISH-PLATES, CHAIRS, CHAIR WEDGES, SOLE PLATES (BASE PLATES), RAIL CLIPS, BEDPLATES, TIES AND OTHER MATERIAL SPECIALIZED FOR JOINTING OR FIXING RAILS", 
+  "hsn_code": "7302"
+ }, 
+ {
+  "description": "TUBES, PIPES AND HOLLOW PROFILES, OF CAST IRON", 
+  "hsn_code": "7303"
+ }, 
+ {
+  "description": "TUBES, PIPES AND HOLLOW PROFILES, SEAMLESS, OF IRON (OTHER THAN CAST IRON) OR STEEL", 
+  "hsn_code": "7304"
+ }, 
+ {
+  "description": "OTHER TUBES AND PIPES (FOR EXAMPLE, WELDED, RIVETED OR SIMILARLY CLOSED), HAVING CIRCULAR CROSS-SECTIONS, THE EXTERNAL DIAMETER OF WHICH EXCEEDS 406.4 MM, OF IRON OR STEEL", 
+  "hsn_code": "7305"
+ }, 
+ {
+  "description": "OTHER TUBES, PIPES AND HOLLOW PROFILES (FOR EXAMPLE, OPEN SEAM OR WELDED, RIVETED OR SIMILARLY CLOSED), OF IRON OR STEEL", 
+  "hsn_code": "7306"
+ }, 
+ {
+  "description": "TUBE OR PIPE FITTINGS (FOR EXAMPLE, COUPLINGS, ELBOWS, SLEEVES), OF IRON OR STEEL", 
+  "hsn_code": "7307"
+ }, 
+ {
+  "description": "STRUCTURES (EXCLUDING PREFABRICATED BUILDINGS OF HEADING 9406) AND PARTS OF STRUCTURES (FOR EXAMPLE, BRIDGES AND BRIDGE-SECTIONS, LOCK-GATES, TOWERS, LATTICE MASTS, ROOFS, ROOFING FRAMEWORKS, DOORS AND WINDOWS AND THEIR FRAMES AND THRESHOLDS FOR DOORS, SHUTTERS, BALUSTRADES, PILLARS AND COLUMNS), OF IRON OR STEEL; PLATES, RODS, ANGLES, SHAPES, SECTIONS, TUBES AND THE LIKE, PREPARED FOR USE IN STRUCTURES OF IRON OR STEEL", 
+  "hsn_code": "7308"
+ }, 
+ {
+  "description": "RESERVOIRS, TANKS, VATS AND SIMILAR CONTAINERS FOR ANY MATERIAL (OTHER THAN COMPRESSED OR LIQUEFIED GAS), OF IRON OR STEEL, OF A CAPACITY EXCEEDING 300 L, WHETHER OR NOT LINED OR HEAT-INSULATED, BUT NOT FITTED WITH MECHANICAL OR THERMAL EQUIPMENT", 
+  "hsn_code": "7309"
+ }, 
+ {
+  "description": "TANKS, CASKS, DRUMS, CANS, BOXES AND SIMILAR CONTAINERS, FOR ANY MATERIAL (OTHER THAN COMPRESSED OR LIQUEFIED GAS), OF IRON OR STEEL, OF A CAPACITY NOT EXCEEDING 300 L, WHETHER OR NOT LINED OR HEAT-INSULATED, BUT NOT FITTED WITH MECHANICAL OR THERMAL EQUIPMENT", 
+  "hsn_code": "7310"
+ }, 
+ {
+  "description": "CONTAINERS FOR COMPRESSED OR LIQUEFIED GAS, OF IRON OR STEEL", 
+  "hsn_code": "7311"
+ }, 
+ {
+  "description": "STRANDED WIRE, ROPES, CABLES, PLAITED BANDS, SLINGS AND THE LIKE, OF IRON OR STEEL, NOT ELECTRICALLY INSULATED", 
+  "hsn_code": "7312"
+ }, 
+ {
+  "description": "BARBED WIRE OF IRON OR STEEL; TWISTED HOOP OR SINGLE FLAT WIRE, BARBED OR NOT, AND LOOSELY TWISTED DOUBLE WIRE, OF A KIND USED FOR FENCING, OF IRON OR STEEL", 
+  "hsn_code": "7313"
+ }, 
+ {
+  "description": "CLOTH (INCLUDING ENDLESS BANDS), GRILL, NETTING AND FENCING, OF IRON OR STEEL WIRE; EXPANDED METAL OF IRON OR STEEL", 
+  "hsn_code": "7314"
+ }, 
+ {
+  "description": "CHAIN AND PARTS THEREOF, OF IRON OR STEEL", 
+  "hsn_code": "7315"
+ }, 
+ {
+  "description": "ANCHORS, GRAPNELS AND PARTS THEREOF, OF IRON OR STEEL", 
+  "hsn_code": "7316"
+ }, 
+ {
+  "description": "NAILS, TACKS, DRAWING PINS, CORRUGATED NAILS, STAPLES (OTHER THAN THOSE OF HEADING 8305) AND SIMILAR ARTICLES, OF IRON OR STEEL, WHETHER OR NOT WITH HEADS OF OTHER MATERIAL, BUT EXCLUDING SUCH ARTICLES WITH HEADS OF COPPER", 
+  "hsn_code": "7317"
+ }, 
+ {
+  "description": "SCREWS, BOLTS, NUTS, COACH-SCREWS, SCREW HOOKS, RIVETS, COTTERS, COTTER-PINS, WASHERS (INCLUDING SPRING WASHERS) AND SIMILAR ARTICLES, OF IRON OR STEEL", 
+  "hsn_code": "7318"
+ }, 
+ {
+  "description": "SEWING NEEDLES, KNITTING NEEDLES, BODKINS, CROCHET HOOKS, EMBROIDERY STILETTOS AND SIMILAR ARTICLES, FOR USE IN THE HAND, OF IRON OR STEEL; SAFETY PINS AND OTHER PINS, OF IRON OR STEEL, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "7319"
+ }, 
+ {
+  "description": "SPRINGS AND LEAVES FOR SPRINGS, OF IRON OR STEEL", 
+  "hsn_code": "7320"
+ }, 
+ {
+  "description": "STOVES, RANGES, GRATES, COOKERS (INCLUDING THOSE WITH SUBSIDIARY BOILERS FOR CENTRAL HEATING), BARBECUES, BRAZIERS, GAS-RINGS, PLATE WARMERS AND SIMILAR NON-ELECTRIC DOMESTIC APPLIANCES, AND PARTS THEREOF, OF IRON OR STEEL", 
+  "hsn_code": "7321"
+ }, 
+ {
+  "description": "Radiators for central heating, not electrically heated and parts thereof, of iron or steel; air heaters, hot air distributors not electrically heated, with motor fan or blower", 
+  "hsn_code": "7322"
+ }, 
+ {
+  "description": "TABLE, KITCHEN OR OTHER HOUSEHOLD ARTICLES AND PARTS THEREOF, OF IRON OR STEEL; IRON OR STEEL WOOL; POT SCOURERS AND SCOURING OR POLISHING PADS, GLOVES AND THE LIKE, OF IRON OR STEEL", 
+  "hsn_code": "7323"
+ }, 
+ {
+  "description": "SANITARY WARE AND PARTS THEREOF, OF IRON OR STEEL", 
+  "hsn_code": "7324"
+ }, 
+ {
+  "description": "OTHER CAST ARTICLES OF IRON OR STEEL", 
+  "hsn_code": "7325"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF IRON OR STEEL", 
+  "hsn_code": "7326"
+ }, 
+ {
+  "description": "COPPER MATTES; CEMENT COPPER (PRECIPITATED COPPER)", 
+  "hsn_code": "7401"
+ }, 
+ {
+  "description": "UNREFINED COPPER; COPPER ANODES FOR ELECTROLYTIC REFINING", 
+  "hsn_code": "7402"
+ }, 
+ {
+  "description": "REFINED COPPER AND COPPER ALLOYS, UNWROUGHT", 
+  "hsn_code": "7403"
+ }, 
+ {
+  "description": "COPPER WASTE AND SCRAP", 
+  "hsn_code": "7404"
+ }, 
+ {
+  "description": "Master alloys of copper", 
+  "hsn_code": "7405"
+ }, 
+ {
+  "description": "COPPER POWDERS AND FLAKES", 
+  "hsn_code": "7406"
+ }, 
+ {
+  "description": "COPPER BARS, RODS AND PROFILES", 
+  "hsn_code": "7407"
+ }, 
+ {
+  "description": "COPPER WIRE", 
+  "hsn_code": "7408"
+ }, 
+ {
+  "description": "COPPER PLATES, SHEETS AND STRIP, OF A THICKNESS EXCEEDING 0.15 MM", 
+  "hsn_code": "7409"
+ }, 
+ {
+  "description": "COPPER FOIL (WHETHER OR NOT PRINTED OR BACKED WITH PAPER, PAPERBOARD, PLASTICS OR SIMILAR BACKING MATERIALS) OF A THICKNESS (EXCLUDING ANY BACKING) NOT EXCEEDING 0.15 MM", 
+  "hsn_code": "7410"
+ }, 
+ {
+  "description": "COPPER TUBES AND PIPES", 
+  "hsn_code": "7411"
+ }, 
+ {
+  "description": "COPPER TUBE OR PIPE FITTINGS (FOR EXAMPLE, COUPLINGS, ELBOWS, SLEEVES)", 
+  "hsn_code": "7412"
+ }, 
+ {
+  "description": "Stranded wire, cables, plated bands and the like, of copper, not electrically insulated", 
+  "hsn_code": "7413"
+ }, 
+ {
+  "description": "NAILS, TACKS, DRAWING PINS, STAPLES (OTHER THAN THOSE OF HEADING 8305) AND SIMILAR ARTICLES, OF COPPER OR OF IRON OR STEEL WITH HEADS OF COPPER; SCREWS, BOLTS, NUTS, SCREW HOOKS, RIVETS, COTTERS, COTTER-PINS, WASHERS (INCLUDING SPRING WASHERS) AND SIMILAR ARTICLES, OF COPPER", 
+  "hsn_code": "7415"
+ }, 
+ {
+  "description": "TABLE, KITCHEN OR OTHER HOUSEHOLD ARTICLES AND PARTS THEREOF, OF COPPER; POT SCOURERS AND SCOURING OR POLISHING PADS, GLOVES AND THE LIKE, OF COPPER; SANITARY WARE AND PARTS THEREOF, OF COPPER", 
+  "hsn_code": "7418"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF COPPER", 
+  "hsn_code": "7419"
+ }, 
+ {
+  "description": "NICKEL MATTES, NICKEL OXIDE SINTERS AND OTHER INTERMEDIATE PRODUCTS OF NICKEL METALLURGY", 
+  "hsn_code": "7501"
+ }, 
+ {
+  "description": "UNWROUGHT NICKEL", 
+  "hsn_code": "7502"
+ }, 
+ {
+  "description": "NICKEL WASTE AND SCRAP", 
+  "hsn_code": "7503"
+ }, 
+ {
+  "description": "Nickel powders and flakes", 
+  "hsn_code": "7504"
+ }, 
+ {
+  "description": "NICKEL BARS, RODS, PROFILES AND WIRE", 
+  "hsn_code": "7505"
+ }, 
+ {
+  "description": "NICKEL PLATES, SHEETS, STRIP AND FOIL", 
+  "hsn_code": "7506"
+ }, 
+ {
+  "description": "NICKEL TUBES, PIPES AND TUBE OR PIPE FITTINGS (FOR EXAMPLE, COUPLINGS, ELBOWS, SLEEVES)", 
+  "hsn_code": "7507"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF NICKEL", 
+  "hsn_code": "7508"
+ }, 
+ {
+  "description": "UNWROUGHT ALUMINIUM", 
+  "hsn_code": "7601"
+ }, 
+ {
+  "description": "ALUMINIUM WASTE AND SCRAP", 
+  "hsn_code": "7602"
+ }, 
+ {
+  "description": "ALUMINIUM POWDERS AND FLAKES", 
+  "hsn_code": "7603"
+ }, 
+ {
+  "description": "ALUMINIUM BARS, RODS AND PROFILES", 
+  "hsn_code": "7604"
+ }, 
+ {
+  "description": "ALUMINIUM WIRE", 
+  "hsn_code": "7605"
+ }, 
+ {
+  "description": "ALUMINIUM PLATES, SHEETS AND STRIP, OF A THICKNESS EXCEEDING 0.2 MM", 
+  "hsn_code": "7606"
+ }, 
+ {
+  "description": "ALUMINIUM FOIL (WHETHER OR NOT PRINTED OR BACKED WITH PAPER, PAPERBOARD, PLASTICS OR SIMILAR BACKING MATERIALS) OF A THICKNESS (EXCLUDING ANY BACKING) NOT EXCEEDING 0.2MM", 
+  "hsn_code": "7607"
+ }, 
+ {
+  "description": "ALUMINIUM TUBES AND PIPES", 
+  "hsn_code": "7608"
+ }, 
+ {
+  "description": "Aluminium tube or pipe fittings (for example, couplings, elbows, sleeves)", 
+  "hsn_code": "7609"
+ }, 
+ {
+  "description": "ALUMINIUM STRUCTURES (EXCLUDING PREFABRICATED BUILDINGS OF HEADING 9406) AND PARTS OF STRUCTURES (FOR EXAMPLE, BRIDGES AND BRIDGE-SECTIONS, TOWERS, LATTICE MASTS, ROOFS, ROOFING FRAMEWORKS, DOORS AND WINDOWS AND THEIR FRAMES AND THRESHOLDS FOR DOORS, BALUSTRADES, PILLARS AND COLUMNS); ALUMINIUM PLATES, RODS, PROFILES, TUBES AND THE LIKE, PREPARED FOR USE IN STRUCTURES", 
+  "hsn_code": "7610"
+ }, 
+ {
+  "description": "Aluminium reservoirs, tanks, vats and similar containers, for any material (other than compressed or liquefied gas), of a capacity exceeding 300L, whether or not lined or heat-insulated, but not fitted with mechanical or thermal equipment", 
+  "hsn_code": "7611"
+ }, 
+ {
+  "description": "ALUMINIUM CASKS, DRUMS, CANS, BOXES AND SIMILAR CONTAINERS (INCLUDING RIGID OR COLLAPSIBLE TUBULAR CONTAINERS), FOR ANY MATERIAL (OTHER THAN COMPRESSED OR LIQUEFIED GAS), OF A CAPACITY NOT EXCEEDING 300L, WHETHER OR NOT LINED OR HEAT-INSULATED, BUT NOT FITTED WITH MECHANICAL OR THERMAL EQUIPMENT", 
+  "hsn_code": "7612"
+ }, 
+ {
+  "description": "ALUMINIUM CONTAINERS FOR COMPRESSED OR LIQUEFIED GAS", 
+  "hsn_code": "7613"
+ }, 
+ {
+  "description": "STRANDED WIRE, CABLES, PLAITED BANDS AND THE LIKE, OF ALUMINIUM, NOT ELECTRICALLY INSULATED", 
+  "hsn_code": "7614"
+ }, 
+ {
+  "description": "TABLE, KITCHEN OR OTHER HOUSEHOLD ARTICLES AND PARTS THEREOF, OF ALUMINIUM; POT SCOURERS AND SCOURING OR POLISHING PADS, GLOVES AND THE LIKE, OF ALUMINIUM; SANITARY WARE AND PARTS THEREOF, OF ALUMINIUM", 
+  "hsn_code": "7615"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF ALUMINIUM", 
+  "hsn_code": "7616"
+ }, 
+ {
+  "description": "UNWROUGHT LEAD", 
+  "hsn_code": "7801"
+ }, 
+ {
+  "description": "LEAD PLATES, SHEETS, STRIP AND FOIL; LEAD POWDERS AND FLAKES", 
+  "hsn_code": "7804"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF LEAD", 
+  "hsn_code": "7806"
+ }, 
+ {
+  "description": "UNWROUGHT ZINC", 
+  "hsn_code": "7901"
+ }, 
+ {
+  "description": "ZINC WASTE AND SCRAP", 
+  "hsn_code": "7902"
+ }, 
+ {
+  "description": "ZINC DUST, POWDERS AND FLAKES", 
+  "hsn_code": "7903"
+ }, 
+ {
+  "description": "ZINC BARS, RODS, PROFILES AND WIRE", 
+  "hsn_code": "7904"
+ }, 
+ {
+  "description": "ZINC PLATES, SHEETS, STRIP AND FOIL", 
+  "hsn_code": "7905"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF ZINC", 
+  "hsn_code": "7907"
+ }, 
+ {
+  "description": "UNWROUGHT TIN", 
+  "hsn_code": "8001"
+ }, 
+ {
+  "description": "TIN WASTE AND SCRAP", 
+  "hsn_code": "8002"
+ }, 
+ {
+  "description": "Tin bars, rods, profiles and wire", 
+  "hsn_code": "8003"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF TIN", 
+  "hsn_code": "8007"
+ }, 
+ {
+  "description": "TUNGSTEN (WOLFRAM) AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8101"
+ }, 
+ {
+  "description": "MOLYBDENUM AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8102"
+ }, 
+ {
+  "description": "TANTALUM AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8103"
+ }, 
+ {
+  "description": "MAGNESIUM AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8104"
+ }, 
+ {
+  "description": "COBALT MATTES AND OTHER INTERMEDIATE PRODUCTS OF COBALT METALLURGY; COBALT AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8105"
+ }, 
+ {
+  "description": "BISMUTH AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8106"
+ }, 
+ {
+  "description": "CADMIUM AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8107"
+ }, 
+ {
+  "description": "TITANIUM AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8108"
+ }, 
+ {
+  "description": "ZIRCONIUM AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8109"
+ }, 
+ {
+  "description": "ANTIMONY AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8110"
+ }, 
+ {
+  "description": "MAGANESE AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8111"
+ }, 
+ {
+  "description": "BERYLLIUM, CHROMIUM, GERMANIUM, VANADIUM, GALLIUM, HAFNIUM, INDIUM, NIOBIUM (COLUMBIUM), RHENIUM AND THALLIUM, AND ARTICLES OF THESE METALS, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8112"
+ }, 
+ {
+  "description": "CERMETS AND ARTICLES THEREOF, INCLUDING WASTE AND SCRAP", 
+  "hsn_code": "8113"
+ }, 
+ {
+  "description": "HAND TOOLS, THE FOLLOWING: SPADES, SHOVELS, MATTOCKS, PICKS, HOES, FORKS AND RAKES; AXES, BILL HOOKS AND SIMILAR HEWING TOOLS; SECATEURS AND PRUNERS OF ANY KIND; SCYTHES, SICKLES, HAY KNIVES, HEDGE SHEARS, TIMBER WEDGES AND OTHER TOOLS OF A KIND USED IN AGRICULTURE, HORTICULTURE OR FORESTRY", 
+  "hsn_code": "8201"
+ }, 
+ {
+  "description": "HAND SAWS; BLADES FOR SAWS OF ALL KINDS (INCLUDING SLITTING, SLOTTING OR TOOTHLESS SAW BLADES)", 
+  "hsn_code": "8202"
+ }, 
+ {
+  "description": "FILES, RASPS, PLIERS (INCLUDING CUTTING PLIERS), PINCERS, TWEEZERS, METAL CUTTING SHEARS, PIPE-CUTTERS, BOLT CROPPERS, PERFORATING PUNCHES AND SIMILAR HAND TOOLS", 
+  "hsn_code": "8203"
+ }, 
+ {
+  "description": "HAND-OPERATED SPANNERS AND WRENCHES (INCLUDING TORQUE METER WRENCHES BUT NOT INCLUDING TAP WRENCHES); INTERCHANGEABLE SPANNER SOCKETS, WITH OR WITHOUT HANDLES", 
+  "hsn_code": "8204"
+ }, 
+ {
+  "description": "HAND TOOLS (INCLUDING GLAZIERS DIAMONDS), NOT ELSEWHERE SPECIFIED OR INCLUDED; BLOW LAMPS; VICES; CLAMPS AND THE LIKE, OTHER THAN ACCESSORIES FOR AND PARTS OF, MACHINE TOOLS; ANVILS; PORTABLE FORGES; HAND-OR PEDAL-OPERATED GRINDING WHEELS WITH FRAMEWORKS", 
+  "hsn_code": "8205"
+ }, 
+ {
+  "description": "TOOLS OF TWO OR MORE OF THE HEADINGS 8202 TO 8205, PUT UP IN SETS FOR RETAIL SALE", 
+  "hsn_code": "8206"
+ }, 
+ {
+  "description": "INTERCHANGEABLE TOOLS FOR HAND TOOLS, WHETHER OR NOT POWER-OPERATED, OR FOR MACHINE \u2013 TOOLS (FOR EXAMPLE, FOR PRESSING, STAMPING, PUNCHING, TAPPING, THREADING, DRILLING, BORING, BROACHING, MILLING, TURNING OR SCREW DRIVING), INCLUDING DIES FOR DRAWING OR EXTRUDING METAL, AND ROCK DRILLING OR EARTH BORING TOOLS", 
+  "hsn_code": "8207"
+ }, 
+ {
+  "description": "KNIVES AND CUTTING BLADES, FOR MACHINES OR FOR MECHANICAL APPLIANCES", 
+  "hsn_code": "8208"
+ }, 
+ {
+  "description": "PLATES, STICKS, TIPS AND THE LIKE FOR TOOLS, UNMOUNTED, OF CERMETS", 
+  "hsn_code": "8209"
+ }, 
+ {
+  "description": "Hand-operated mechanical appliances, weighing 10 kg or less, used in the preparation, conditioning or serving of food or drink", 
+  "hsn_code": "8210"
+ }, 
+ {
+  "description": "KNIVES WITH CUTTING BLADES, SERRATED OR NOT (INCLUDING PRUNING KNIVES), OTHER THAN KNIVES OF HEADING 8208, AND BLADES THEREFOR", 
+  "hsn_code": "8211"
+ }, 
+ {
+  "description": "RAZORS AND RAZOR BLADES (INCLUDING RAZOR BLADES BLANKS IN STRIPS)", 
+  "hsn_code": "8212"
+ }, 
+ {
+  "description": "Scissors, tailors\u2019 shears and similar shears, and blades therefor", 
+  "hsn_code": "8213"
+ }, 
+ {
+  "description": "OTHER ARTICLES OF CUTLERY (FOR EXAMPLE, HAIR CLIPPERS, BUTCHERS\u2019 OR KITCHEN CLEAVERS, CHOPPERS AND MINCING KNIVES, PAPER KNIVES); MANICURE OR PEDICURE SETS AND INSTRUMENTS (INCLUDING NAIL FILES)", 
+  "hsn_code": "8214"
+ }, 
+ {
+  "description": "SPOONS, FORKS, LADLES, SKIMMERS, CAKE-SERVERS, FISH-KNIVES, BUTTER-KNIVES, SUGAR TONGS AND SIMILAR KITCHEN OR TABLEWARE", 
+  "hsn_code": "8215"
+ }, 
+ {
+  "description": "PADLOCKS AND LOCKS (KEY, COMBINATION OR ELECTRICALLY OPERATED), OF BASE METAL; CLASPS AND FRAMES WITH CLASPS, INCORPORATING LOCKS, OF BASE METAL; KEYS FOR ANY OF THE FOREGOING ARTICLES, OF BASE METAL", 
+  "hsn_code": "8301"
+ }, 
+ {
+  "description": "BASE METAL MOUNTINGS, FITTINGS AND SIMILAR ARTICLES SUITABLE FOR FURNITURE, DOORS, STAIRCASES, WINDOWS, BLINDS, COACHWORK, SADDLERY, TRUNKS, CHESTS, CASKETS OR THE LIKE; BASE METAL HAT-RACKS, HAT-PEGS, BRACKETS AND SIMILAR FIXTURES; CASTORS WITH MOUNTINGS OF BASE METAL; AUTOMATIC DOOR CLOSURES OF BASE METAL", 
+  "hsn_code": "8302"
+ }, 
+ {
+  "description": "Armoured or reinforced safes, strong-boxes and doors and safe deposit lockers for strong rooms, cash or deed boxes and the like, of base metal", 
+  "hsn_code": "8303"
+ }, 
+ {
+  "description": "Filing, cabinets, card-index cabinets, paper trays, paper rests, pen trays, office-stamp stands and similar office or desk equipment, of base metal, other than office furniture of heading 9403", 
+  "hsn_code": "8304"
+ }, 
+ {
+  "description": "Stationery; fittings for loose-leaf binders or files, letter clips, letter corners, paper clips, indexing tags and the like, staples in strips (for offices, upholstery, packaging), of base metal", 
+  "hsn_code": "8305"
+ }, 
+ {
+  "description": "BELLS, GONGS AND THE LIKE, NON-ELECTRIC, OF BASE METAL; STATUETTES AND OTHER ORNAMENTS, OF BASE METAL; PHOTOGRAPH, PICTURE OR SIMILAR FRAMES, OF BASE METAL; MIRRORS OF BASE METAL", 
+  "hsn_code": "8306"
+ }, 
+ {
+  "description": "FLEXIBLE TUBING OF BASE METAL, WITH OR WITHOUT FITTINGS", 
+  "hsn_code": "8307"
+ }, 
+ {
+  "description": "CLASPS, FRAMES WITH CLASPS, BUCKLES, BUCKLE-CLASPS, HOOKS, EYES, EYELETS AND THE LIKE, OF BASE METAL, OF A KIND USED FOR CLOTHING, FOOTWEAR, AWNINGS, HANDBAGS, TRAVEL GOODS OR OTHER MADE UP ARTICLES; TUBULAR OR BIFURCATED RIVETS, OF BASE METAL; BEADS AND SPANGLES, OF BASE METALS", 
+  "hsn_code": "8308"
+ }, 
+ {
+  "description": "STOPPERS, CAPS AND LIDS (INCLUDING CROWN CORKS, SCREW CAPS AND POURING STOPPERS), CAPSULES FOR BOTTLES, THREADED BUNGS, BUNG COVERS, SEALS AND OTHER PACKING ACCESSORIES, OF BASE METAL", 
+  "hsn_code": "8309"
+ }, 
+ {
+  "description": "SIGN-PLATES, NAME-PLATES, ADDRESS-PLATES AND SIMILAR PLATES, NUMBERS, LETTERS AND OTHER SYMBOLS, OF BASE METAL, EXCLUDING THOSE OF HEADING 9405", 
+  "hsn_code": "8310"
+ }, 
+ {
+  "description": "WIRE, RODS, TUBES, PLATES, ELECTRODES AND SIMILAR PRODUCTS, OF BASE METAL OR OF METAL CARBIDES, COATED OR CORED WITH FLUX MATERIAL, OF A KIND USED FOR SOLDERING, BRAZING, WELDING OR DEPOSITION OF METAL OR OF METAL CARBIDES; WIRE AND RODS, OF AGGLOMERATED BASE METAL POWDER, USED FOR METAL SPRAYING", 
+  "hsn_code": "8311"
+ }, 
+ {
+  "description": "Machinery / Electrical", 
+  "hsn_code": "84-85"
+ }, 
+ {
+  "description": "NUCLEAR REACTORS; FUEL ELEMENTS (CARTRIDGES), NON-IRRADIATED, FOR NUCLEAR REACTORS, MACHINERY AND APPARATUS FOR ISOTOPIC SEPARATION", 
+  "hsn_code": "8401"
+ }, 
+ {
+  "description": "STEAM OR OTHER VAPOUR GENERATING BOILERS (OTHER THAN CENTRAL HEATING HOT WATER BOILERS CAPABLE ALSO OF PRODUCING LOW PRESSURE STEAM): SUPER-HEATED WATER BOILERS", 
+  "hsn_code": "8402"
+ }, 
+ {
+  "description": "CENTRAL HEATING BOILERS OTHER THAN THOSE OF HEADING 8402", 
+  "hsn_code": "8403"
+ }, 
+ {
+  "description": "AUXILIARY PLANT FOR USE WITH BOILERS OF HEADING 8402 OR 8403 (FOR EXAMPLE, ECONOMISERS, SUPER-HEATERS, SOOT REMOVERS, GAS RECOVERS); CONDENSERS FOR STEAM OR OTHER VAPOUR POWER UNITS", 
+  "hsn_code": "8404"
+ }, 
+ {
+  "description": "PRODUCER GAS OR WATER GAS GENERATORS, WITH OR WITHOUT THEIR PURIFIERS; ACETYLENE GAS GENERATORS AND SIMILAR WATER PROCESS GAS GENERATORS, WITH OR WITHOUT THEIR PURIFIERS", 
+  "hsn_code": "8405"
+ }, 
+ {
+  "description": "STEAM TURBINES AND OTHER VAPOUR TURBINES", 
+  "hsn_code": "8406"
+ }, 
+ {
+  "description": "SPARK-IGNITION RECIPROCATING OR ROTARY INTERNAL COMBUSTION PISTON ENGINES", 
+  "hsn_code": "8407"
+ }, 
+ {
+  "description": "COMPRESSION-IGNITION INTERNAL COMBUSTION PISTON ENGINES (DIESEL OR SEMI-DIESEL ENGINES)", 
+  "hsn_code": "8408"
+ }, 
+ {
+  "description": "PARTS SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE ENGINES OF HEADING 8407 OR 8408", 
+  "hsn_code": "8409"
+ }, 
+ {
+  "description": "HYDRAULIC TURBINES, WATER WHEELS AND REGULATORS THEREFOR HYDRAULIC TURBINS AND WATER WHEELS", 
+  "hsn_code": "8410"
+ }, 
+ {
+  "description": "Turbo-jets, turbo-propellers and other gas turbines", 
+  "hsn_code": "8411"
+ }, 
+ {
+  "description": "OTHER ENGINES AND MOTORS", 
+  "hsn_code": "8412"
+ }, 
+ {
+  "description": "PUMPS FOR LIQUIDS, WHETHER OR NOT FITTED WITH A MEASURING DEVICE; LIQUID ELEVATORS", 
+  "hsn_code": "8413"
+ }, 
+ {
+  "description": "AIR OR VACUUM PUMPS, AIR OR OTHER GAS COMPRESSORS AND FANS; VENTILATING OR RECYCLING HOODS INCORPORATING A FAN, WHETHER OR NOT FITTED WITH FILTERS", 
+  "hsn_code": "8414"
+ }, 
+ {
+  "description": "AIR CONDITIONING MACHINES, COMPRISING A MOTOR DRIVEN FAN AND ELEMENTS FOR CHANGING THE TEMPERATURE AND HUMIDITY, INCLUDING THOSE MACHINES IN WHICH THE HUMIDITY CANNOT BE SEPARATELY REGULATED.", 
+  "hsn_code": "8415"
+ }, 
+ {
+  "description": "FURNACE BURNERS FOR LIQUID FUEL, FOR PULVERISED SOLID FUEL OR FOR GAS; MECHANICAL STOKERS, INCLUDING THEIR MECHANICAL GRATES, MECHANICAL ASH DISCHARGERS AND SIMILAR APPLIANCES", 
+  "hsn_code": "8416"
+ }, 
+ {
+  "description": "INDUSTRIAL OR LABORATORY FURNACES AND OVENS, INCLUDING INCINERATORS, NON-ELECTRIC", 
+  "hsn_code": "8417"
+ }, 
+ {
+  "description": "REFRIGERATORS, FREEZERS AND OTHER REFRIGERATING OR FREEZING EQUIPMENT, ELECTRIC OR OTHER; HEAT PUMPS OTHER THAN AIR CONDITIONING MACHINES OF HEADING 8415", 
+  "hsn_code": "8418"
+ }, 
+ {
+  "description": "MACHINERY, PLANT OR LABORATORY EQUIPMENT, WHETHER OR NOT ELECTRICALLY HEATED,(EXCLUDING FURNACES, OVENS AND OTHER EQUIPMENT OF HEADING 8514), FOR THE TREATMENT OF MATERIALS BY A PROCESS INVOLVING A CHANGE OF TEMPERATURE SUCH AS HEATING, COOKING, ROASTING, DISTILLING, RECTIFYING, STERILISING PASTEURISING, STEAMING, DRYING, EVAPORATING, VAPOURISING, CONDENSING OR COOLING, OTHER THAN MACHINERY OR PLANT OF A KIND USED FOR DOMESTIC PURPOSES", 
+  "hsn_code": "8419"
+ }, 
+ {
+  "description": "CALENDERING OR OTHER ROLLING MACHINES, OTHER THAN FOR METALS OR GLASS, AND CYLINDERS THEREFOR", 
+  "hsn_code": "8420"
+ }, 
+ {
+  "description": "CENTRIFUGES, INCLUDING CENTRIFUGAL DRYERS; FILTERING OR PURIFYING MACHINERY AND APPARATUS, FOR LIQUIDS OR GASES", 
+  "hsn_code": "8421"
+ }, 
+ {
+  "description": "DISH WASHING MACHINES; MACHINERY FOR CLEANING OR DRYING BOTTLES OR OTHER CONTAINERS; MACHINERY FOR FILLING, CLOSING, SEALING OR LABELLING BOTTLES, CANES, BOXES, BAGS OR OTHER CONTAINERS; MACHINERY FOR CAPSULING BOTTLES JARS, TUBES AND SIMILAR CONTAINERS; OTHER PACKING OR WRAPPING MACHINERY (INCLUDING HEAT-SHRINK WRAPPING MACHINERY); MACHINERY FOR AERATING BEVERAGES", 
+  "hsn_code": "8422"
+ }, 
+ {
+  "description": "WEIGHTING MACHINERY (EXCLUDING BALANCES OF A SENSITIVITY OF 5 CENTIGRAMS OR BETTER), INCLUDING WEIGHT OPERATED COUNTING OR CHECKING MACHINES; WEIGHING MACHINE WEIGHTS OF ALL KINDS", 
+  "hsn_code": "8423"
+ }, 
+ {
+  "description": "MECHANICAL APPLIANCES (WHETHER OR NOT HAND-OPERATED) FOR PROJECTING, DISPERSING OR SPRAYING LIQUIDS OR POWDERS; FIRE EXTINGUISHERS, WHETHER OR NOT CHARGED; SPRAY GUNS AND SIMILAR APPLIANCES; STEAM OR SAND BLASTING MACHINES AND SIMILAR JET PROJECTING MACHINES", 
+  "hsn_code": "8424"
+ }, 
+ {
+  "description": "PULLEY TACKLE AND HOISTS OTHER THAN SKIP HOISTS; WINCHES AND CAPSTANS; JACKS", 
+  "hsn_code": "8425"
+ }, 
+ {
+  "description": "SHIP\u2019S DERRICKS; CRANES, INCLUDING CABLE CRANES; MOBILE LIFTING FRAMES, STRADDLE CARRIERS AND WORKS TRUCKS FITTED WITH A CRANE", 
+  "hsn_code": "8426"
+ }, 
+ {
+  "description": "FORK-LIFT TRUCKS; OTHER WORKS TRUCKS FITTED WITH LIFTING OR HANDLING EQUIPMENT", 
+  "hsn_code": "8427"
+ }, 
+ {
+  "description": "OTHER LIFTING, HANDLING, LOADING OR UNLOADING MACHINERY ( FOR EXAMPLE, LIFTS, ESCALATORS, CONVEYORS, TELEFERICS)", 
+  "hsn_code": "8428"
+ }, 
+ {
+  "description": "SELF-PROPELLED BULLDOZERS, ANGLEDOZERS, GRADERS, LEVELLERS, SCRAPERS, MECHANICAL SHOVELS, EXCAVATORS, SHOVEL LOADERS, TAMPING MACHINES AND ROAD ROLLERS", 
+  "hsn_code": "8429"
+ }, 
+ {
+  "description": "OTHER MOVING, GRADING, LEVELLING, SCRAPPING, EXCAVATING, TAMPING, COMPACTING, EXTRACTING OR BORING MACHINERY, FOR EARTH, MINERALS OR ORES; PILE-DRIVERS AND PILE-EXTRACTORS; SNOW-PLOUGHS AND SNOW-BLOWERS", 
+  "hsn_code": "8430"
+ }, 
+ {
+  "description": "PARTS SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE MACHINERY OF HEADINGS 8425 TO 8430", 
+  "hsn_code": "8431"
+ }, 
+ {
+  "description": "AGRICULTURAL, HORTICULTURAL OR FORESTRY MACHINERY OF SOIL PREPARATION OR CULTIVATION; LAWN OR SPORTS-GROUND ROLLERS", 
+  "hsn_code": "8432"
+ }, 
+ {
+  "description": "HARVESTING OR THRESHING MACHINERY, INCLUDING STRAW OR FODDER BALERS; GRASS OR HAY MOWERS; MACHINES FOR CLEANING, SORTING OR GRADING EGGS, FRUIT OR OTHER AGRICULTURAL PRODUCE, OTHER THAN MACHINERY OF HEADING 8437", 
+  "hsn_code": "8433"
+ }, 
+ {
+  "description": "MILKING MACHINES AND DAIRY MACHINERY", 
+  "hsn_code": "8434"
+ }, 
+ {
+  "description": "PRESSES, CRUSHERS & SIMILAR MACHINERY USED IN THE MANUFACTURE OF WINE, CIDER, FRUIT JUICES OR SIMILAR BEVERAGES", 
+  "hsn_code": "8435"
+ }, 
+ {
+  "description": "OTHER AGRICULTURAL, HORTICULTURAL, FORESTRY, POULTRY-KEEPING OR BEE-KEEPING MACHINERY, INCLUDING GERMINATION PLANT FITTED WITH MECHANICAL OR THERMAL EQUIPMENT; POULTRY INCUBATORS AND BROODERS", 
+  "hsn_code": "8436"
+ }, 
+ {
+  "description": "MACHINES FOR CLEANING, SORTING OR GRADING SEED, GRAIN OR DRIED LEGUMINOUS VEGETABLES; MACHINERY USED IN THE MILLING INDUSTRY OR FOR THE WORKING OF CEREALS OR DRIED LEGUMINOUS VEGETABLES, OTHER THAN FARM-TYPE MACHINERY", 
+  "hsn_code": "8437"
+ }, 
+ {
+  "description": "MACHINERY, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER, FOR THE INDUSTRIAL PREPARATION OR MANUFACTURE OF FOOD OR DRINK, OTHER THAN MACHINERY FOR THE EXTRACTION OR PREPARATION OF ANIMAL OR FIXED VEGETABLE FATS OR OILS", 
+  "hsn_code": "8438"
+ }, 
+ {
+  "description": "MACHINERY FOR MAKING PULP OF FIBROUS CELLULOSIC MATERIAL OR FOR MAKING OR FINISHING PAPER OR PAPERBOARD", 
+  "hsn_code": "8439"
+ }, 
+ {
+  "description": "BOOK-BINDING MACHINERY, INCLUDING BOOK-SEWING MACHINES", 
+  "hsn_code": "8440"
+ }, 
+ {
+  "description": "OTHER MACHINERY FOR MAKING UP PAPER PULP, PAPER OR PAPER BOARD, INCLUDING CUTTING MACHINES OF ALL KINDS", 
+  "hsn_code": "8441"
+ }, 
+ {
+  "description": "MACHINERY, APPARATUS AND EQUIPMENT (OTHER THAN THE MACHINE TOOLS OF HEADINGS 8456 TO 8465) FOR PREPARING OR MAKING PLATES, PRINTING COMPONENTS; PLATES, CYLINDERS AND OTHER PRINTING COMPONENTS; PLATES, CYLINDERS AND LITHO GRAPHIC STONES, PREPARED FOR PRINTING PURPOSES (FOR EXAMPLE, PLANED, GRAINED OR POLISHED)", 
+  "hsn_code": "8442"
+ }, 
+ {
+  "description": "PRINTING MACHINERY USED FOR PRINTING BY MEANS OF PLATES, CYLINDERS AND OTHER  PRINTING COMPONENTS OF HEADING 8442; OTHER PRINTERS, COPYING MACHINES AND  FACSIMILE MACHINES, WHETHER OR NOT COMBINED; PARTS AND ACCESSORIES THEREOF", 
+  "hsn_code": "8443"
+ }, 
+ {
+  "description": "MACHINES FOR EXTRUDING, DRAWING, TEXTURING OR CUTTING MAN-MADE TEXTILE MATERIALS", 
+  "hsn_code": "8444"
+ }, 
+ {
+  "description": "MACHINES FOR PREPARING TEXTILE FIBRES; SPINNING, DOUBLING OR TWISTING MACHINES AND OTHER MACHINERY FOR PRODUCING TEXTILE YARNS; TEXTILE REELING OR WINDING (INCLUDING WEFT-WINDING) MACHINES AND MACHINES FOR PREPARING TEXTILE YARNS FOR USE ON THE MACHINES OF HEADING 8446 OR 8447", 
+  "hsn_code": "8445"
+ }, 
+ {
+  "description": "WEAVING MACHINES (LOOMS)", 
+  "hsn_code": "8446"
+ }, 
+ {
+  "description": "WEAVING MACHINES (LOOMS)", 
+  "hsn_code": "8447"
+ }, 
+ {
+  "description": "AUXILIARY MACHINERY FOR USE WITH MACHINES OF HEADINGS 8444, 8445, 8446 OR 8447 (FOR EXAMPLE, DOBBIES, JACQUAARDS, AUTOMATIC STOP MOTIONS, SHUTTLE CHANGING MECHANISMS); PARTS & ACCESSORIES SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE MACHINES OF THIS HEADING OR OF HEADINGS 8444, 8445, 8446 OR 8447 (FOR EXAMPLE, SPINDLES & SPINDLE FLYERS, CARD CLOTHING, COMBS, EXTRUDING NIPPLES SHUTTLES, HEALDS & HEALD FRAME, HOSIERY NEEDLES)", 
+  "hsn_code": "8448"
+ }, 
+ {
+  "description": "MACHINERY FOR THE MANUFACTURE OR FINISHING OF FELT OR NONWOVENS IN THE PIECE OR IN SHAPES, INCLUDING MACHINERY FOR MAKING FELT HATS; BLOCKS FOR MAKING HATS", 
+  "hsn_code": "8449"
+ }, 
+ {
+  "description": "HOUSEHOLD OR LAUNDRY-TYPE WASHING MACHINES, INCLUDING MACHINES WHICH BOTH WASH AND DRY", 
+  "hsn_code": "8450"
+ }, 
+ {
+  "description": "MACHINERY (OTHER THAN MACHINES OF HEADING 8450) FOR WASHING, CLEANING, WRINGING, DRYING, IRONING, PRESSING (INCLUDING FUSING PRESSES), BLEACHING, DYEING, DRESSING, FINISHING, COATING OR IMPREGNATING TEXTILE YARNS, FABRICS OR MADE UP TEXTILE ARTICLES AND MACHINES FOR APPLYING THE PASTE TO THE BASE FABRIC OR OTHER SUPPORT USED IN THE MANUFACTURE OF FLOOR COVERINGS SUCH AS LINOLEUM; MACHINES FOR REELING, UNREELING, FOLDING, CUTTING OR PINKING TEXTILE FABRICS", 
+  "hsn_code": "8451"
+ }, 
+ {
+  "description": "SEWING MACHINES, OTHER THAN BOOK-SEWING MACHINES OF HEADING 8440; FURNITURE, BASES AND COVERS SPECIALLY DESIGNED FOR SEWING MACHINES; SEWING MACHINE NEEDLES", 
+  "hsn_code": "8452"
+ }, 
+ {
+  "description": "MACHINERY FOR PREPARING, TANNING OR WORKING HIDES, SKINS OR LEATHER OR FOR MAKING OR REPAIRING FOOTWEAR OR OTHER ARTICLES OF HIDES, SKINS OR LEATHER, OTHER THAN SEWING MACHINES", 
+  "hsn_code": "8453"
+ }, 
+ {
+  "description": "CONVERTERS, LADLES, INGOT MOULDS AND CASTING MACHINES, OF A KIND USED IN METALLURGY OR IN METAL FOUNDRIES", 
+  "hsn_code": "8454"
+ }, 
+ {
+  "description": "METAL-ROLLING MILLS AND ROLLS THEREFOR", 
+  "hsn_code": "8455"
+ }, 
+ {
+  "description": "MACHINE-TOOLS FOR WORKING ANY MATERIAL BY REMOVAL OF MATERIAL, BY LASER OR OTHER LIGHT OR PHOTON BEAM, ULTRA-SONIC, ELECTRO-DISCHARGE, ELECTRO-CHEMICAL, ELECTRON BEAM, IONIC-BEAM OR PLASMA ARC PROCESS; WATER-JET CUTTING MACHINES:", 
+  "hsn_code": "8456"
+ }, 
+ {
+  "description": "MACHINING CENTRES, UNIT CONSTRUCTION MACHINES (SINGLE STATION) AND MULTI-STATION TRANSFER MACHINES FOR WORKING METAL", 
+  "hsn_code": "8457"
+ }, 
+ {
+  "description": "LATHES (INCLUDING TURNING CENTRES) FOR REMOVING METAL", 
+  "hsn_code": "8458"
+ }, 
+ {
+  "description": "MACHINE-TOOLS (INCLUDING WAY-TYPE UNIT HEAD MACHINES) FOR DRILLING, BORING, MILLING, TREADING OR TAPPING BY REMOVING METAL, OTHER THAN LATHES (INCLUDING TURNING CENTRES) OF HEADING 8458", 
+  "hsn_code": "8459"
+ }, 
+ {
+  "description": "MACHINE-TOOLS FOR DEBURRING, SHARPENING, GRINDING, HONING, LAPPING, POLISHING OR OTHERWISE FINISHING METAL OR CERMETS BY MEANS OF GRINDING STONES, ABRASIVES OR POLISHING PRODUCTS, OTHER THAN GEAR CUTTING, GEAR GRINDING OR GEAR FINISHING MACHINES OF HEADING 8461", 
+  "hsn_code": "8460"
+ }, 
+ {
+  "description": "MACHINE-TOOLS FOR PLANING, SHAPING, SLOTTING, BROACHING, GEAR CUTTING, GEAR GRINDING OR GEAR FINISHING, SAWING, CUTTING-OFF AND OTHER MACHINE TOOLS WORKING BY REMOVING METAL, OR CERMETS, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "8461"
+ }, 
+ {
+  "description": "MACHINE-TOOLS (INCLUDING PRESSES) FOR WORKING METAL BY FORGING, HAMMERING OR DIE-STAMPING; MACHINE-TOOLS (INCLUDING PRESSES) FOR WORKING METAL BY BENDING, FOLDING STRAIGHTENING, FLATTENING, SHEARING, PUNCHING OR NOTCHING; PRESSES FOR WORKING METAL OR METAL CARBIDES, NOT SPECIFIED ABOVE", 
+  "hsn_code": "8462"
+ }, 
+ {
+  "description": "OTHER MACHINE TOOLS FOR WORKING METAL OR CERMETS WITHOUT REMOVING MATERIAL", 
+  "hsn_code": "8463"
+ }, 
+ {
+  "description": "MACHINE TOOLS FOR WORKING STONE, CERAMICS, CONCRETE, ASBESTOS CEMENT OR LIKE MINERAL MATERIALS OR FOR COLD WORKING GLASS", 
+  "hsn_code": "8464"
+ }, 
+ {
+  "description": "MACHINE-TOOLS (INCLUDING MACHINES FOR NAILING, STAPLING, GLUEING OR OTHERWISE ASSEMBLING) FOR WORKING WOOD, CORK, BONE, HARD RUBBER, HARD PLASTICS OR SIMILAR HARD MATERIALS", 
+  "hsn_code": "8465"
+ }, 
+ {
+  "description": "PARTS AND ACCESSORIES SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE MACHINES OF HEADINGS 8456 TO 8465, INCLUDING WORK OR TOOL HOLDERS, SELF-OPENING DIEHEADS, DIVIDING HEADS AND OTHER SPECIAL ATTACHMENTS FOR MACHINE-TOOLS; TOOL HOLDERS FOR ANY TYPE OF TOOL, FOR WORKING IN THE HAND", 
+  "hsn_code": "8466"
+ }, 
+ {
+  "description": "TOOLS FOR WORKING IN THE HAND, PNEUMATIC, HYDRAULIC OR WITH SELF-CONTAINED ELECTRIC OR NON-ELECTRIC MOTOR", 
+  "hsn_code": "8467"
+ }, 
+ {
+  "description": "MACHINERY AND APPARATUS FOR SOLDERING, BRAZING OR WELDING WHETHER OR NOT CAPABLE OF CUTTING, OTHER THAN THOSE OF HEADING 8415; GAS-OPERATED SURFACE TEMPERING MACHINES AND APPLIANCES", 
+  "hsn_code": "8468"
+ }, 
+ {
+  "description": "TYPEWRITERS OTHER THAN PRINTERS OF HEADING 8443; WORD-PROCESSING MACHINES", 
+  "hsn_code": "8469"
+ }, 
+ {
+  "description": "CALCULATING MACHINES AND POCKET-SIZE DATA RECORDING, REPRODUCING AND DISPLAYING MACHINES WITH CALCULATING FUNCTIONS; ACCOUNTING MACHINES, POSTAGE-FRANKING MACHINES, TICKET-ISSUING MACHINES AND SIMILAR MACHINES, INCORPORATING A CALCULATING DEVICE; CASH REGISTERS", 
+  "hsn_code": "8470"
+ }, 
+ {
+  "description": "AUTOMATIC DATA PROCESSING MACHINES AND UNITS THEREOF; MAGNETIC OR OPTICAL READERS, MACHINES FOR TRANSCRIBING DATA ON TO DATA MEDIA IN CODED FORM AND MACHINES FOR PROCESSING SUCH DATA, NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "8471"
+ }, 
+ {
+  "description": "OTHER OFFICE MACHINES (FOR EXAMPLE, HECTOGRAPH OR STENCIL DUPLICATING MACHINES, ADDRESSING MACHINES, AUTOMATIC BANK NOTE DISPENSERS, COIN SORTING MACHINES, COIN COUNTING OR WRAPPING MACHINES, PENCIL-SHARPENING MACHINES, PERFORATING OR STAPLING MACHINE)", 
+  "hsn_code": "8472"
+ }, 
+ {
+  "description": "PARTS AND ACCESSORIES (OTHER THAN COVERS, CARRYING CASES AND THE LIKE) SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH MACHINES OF HEADINGS 8469 TO 8472", 
+  "hsn_code": "8473"
+ }, 
+ {
+  "description": "MACHINERY FOR SORTING, SCREENING, SEPARATING, WASHING, CRUSHING, GRINDING, MIXING OR KNEADING EARTH, STONE, ORES OR OTHER MINERAL SUBSTANCES, IN SOLID (INCLUDING POWDER OR PASTE) FORM; MACHINERY FOR AGGLOMERATING, SHAPING OR MOULDING SOLID MINERAL FUELS, CERAMIC PASTE, UNHARDENED CEMENTS, PLASTERING MATERIALS OR OTHER MINERAL PRODUCTS IN POWDER OR PASTE FORM; MACHINES FOR FORMING FOUNDRY MOULDS OF SAND", 
+  "hsn_code": "8474"
+ }, 
+ {
+  "description": "MACHINES FOR ASSEMBLING ELECTRIC OR ELECTRONIC LAMPS, TUBES OR VALVES OR FLASH-BULBS, IN GLASS ENVELOPES; MACHINES OF MANUFACTURING OR HOT WORKING GLASS OR GLASSWARE", 
+  "hsn_code": "8475"
+ }, 
+ {
+  "description": "AUTOMATIC GOODS-VENDING MACHINES (FOR EXAMPLE, POSTAGE STAMPS, CIGARETTE, FOOD OR BEVERAGE MACHINES), INCLUDING MONEY-CHANGING MACHINES", 
+  "hsn_code": "8476"
+ }, 
+ {
+  "description": "MACHINERY FOR WORKING RUBBER OR PLASTICS OR FOR THE MANUFACTURE OF PRODUCTS FROM THESE MATERIALS, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "8477"
+ }, 
+ {
+  "description": "MACHINERY FOR PREPARING OR MAKING UP TOBACCO, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "8478"
+ }, 
+ {
+  "description": "MACHINES AND MECHANICAL APPLIANCES HAVING INDIVIDUAL FUNCTIONS, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "8479"
+ }, 
+ {
+  "description": "MOULDING BOXES FOR METAL FOUNDRY; MOULD BASES; MOULDING PATTERNS; MOULDS FOR METAL (OTHER THAN INGOT MOULDS), METAL CARBIDES, GLASS, MINERAL MATERIALS, RUBBER OR PLASTICS", 
+  "hsn_code": "8480"
+ }, 
+ {
+  "description": "TAPS, COCKS, VALVES AND SIMILAR APPLIANCES FOR PIPES, BOILER SHELLS, TANKS, VATS OR THE LIKE, INCLUDING PRESSURE-REDUCING VALVES AND THERMOSTATICALLY CONTROLLED VALVES", 
+  "hsn_code": "8481"
+ }, 
+ {
+  "description": "BALL OR ROLLER BEARINGS", 
+  "hsn_code": "8482"
+ }, 
+ {
+  "description": "TRANSMISSION SHAFTS (INCLUDING CAM SHAFTS AND CRANK SHAFTS) AND CRANKS; BEARINGS HOUSINGS AND PLAIN SHAFT BEARINGS; GEARS AND GEARING; BALL OR ROLLER SCREWS; GEAR BOXES AND OTHER SPEED CHANGERS, INCLUDING TORQUE CONVERTERS; FLYWHEELS AND PULLEYS, INCLUDING PULLEY BLOCKS; CLUTCHES AND SHAFT COUPLINGS (INCLUDING UNIVERSAL JOINTS)", 
+  "hsn_code": "8483"
+ }, 
+ {
+  "description": "GASKETS AND SIMILAR JOINTS OF METAL SHEETING COMBINED WITH OTHER MATERIAL OR OF TWO OR MORE LAYERS OF METAL; SETS OR ASSORTMENTS OF GASKETS AND SIMILAR JOINTS, DISSIMILAR IN COMPOSITION, PUT UP IN POUCHES, ENVELOPES OR SIMILAR PACKINGS; MECHANICAL SEALS", 
+  "hsn_code": "8484"
+ }, 
+ {
+  "description": "MACHINES AND APPARATUS OF A KIND USED SOLELY OR PRINCIPALLY FOR THE MANUFACTURE OF SEMICONDUCTOR BOULES OR WAFERS, SEMICONDUCTOR DEVICES, ELECTRONIC INTEGRATED CIRCUITS OR FLAT PANEL DISPLAYS; MACHINES AND APPARATUS SPECIFIED IN NOTE 9 (C) TO THIS CHAPTER; PARTS AND  ACCESSORIES", 
+  "hsn_code": "8486"
+ }, 
+ {
+  "description": "MACHINE PARTS, NOT CONTAINING ELECTRICAL CONNECTORS, INSULATORS, COILS, CONTACTS OR OTHER ELECTRICAL FEATURES, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "8487"
+ }, 
+ {
+  "description": "ELECTRIC MOTORS AND GENERATORS (EXCLUDING GENERATING SETS)", 
+  "hsn_code": "8501"
+ }, 
+ {
+  "description": "ELECTRIC GENERATING SETS AND ROTARY CONVERTERS", 
+  "hsn_code": "8502"
+ }, 
+ {
+  "description": "PARTS SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE MACHINES OF HEADING 8501 OR 8502", 
+  "hsn_code": "8503"
+ }, 
+ {
+  "description": "ELECTRICAL TRANSFORMERS, STATIC CONVERTERS (FOR EXAMPLE, RECTIFIERS) AND INDUCTORS", 
+  "hsn_code": "8504"
+ }, 
+ {
+  "description": "ELECTRO-MAGNETS; PERMANENT MAGNETS AND ARTICLES INTENDED TO BECOME PERMANENT MAGNETS AFTER MAGNETISATION; ELECTRO-MAGNETIC OR PERMANENT MAGNET CHUCKS, CLAMPS AND SIMILAR HOLDING DEVICES; ELECTRO-MAGNETIC COUPLINGS, CLUTCHES AND BRAKES; ELECTRO-MAGNETIC LIFTING HEADS", 
+  "hsn_code": "8505"
+ }, 
+ {
+  "description": "PRIMARY CELLS AND PRIMARY BATTERIES", 
+  "hsn_code": "8506"
+ }, 
+ {
+  "description": "ELECTRIC ACCUMULATORS, INCLUDING SEPARATORS THEREFOR, WHETHER OR NOT RECTANGULAR (INCLUDING SQUARE)", 
+  "hsn_code": "8507"
+ }, 
+ {
+  "description": "VACCUM CLEANERS", 
+  "hsn_code": "8508"
+ }, 
+ {
+  "description": "ELECTRO-MECHANICAL DOMESTIC APPLIANCES, WITH SELF-CONTAINED ELECTRIC MOTOR, OTHER THAN VACUUM CLEANERS OF HEADING 8508", 
+  "hsn_code": "8509"
+ }, 
+ {
+  "description": "SHAVERS, HAIR CLIPPERS AND HAIR-REMOVING APPLIANCES, WITH SELF-CONTAINED ELECTRIC MOTOR", 
+  "hsn_code": "8510"
+ }, 
+ {
+  "description": "ELECTRICAL IGNITION OR STARTING EQUIPMENT OF A KIND USED FOR SPARK-IGNITION OR COMPRESSION-IGNITION INTERNAL COMBUSTION ENGINES (FOR EXAMPLE, IGNITION MAGNETOS, MAGNETO-DYNAMOS, IGNITION COILS, SPARKING PLUGS AND GLOW PLUGS, STARTER MOTORS); GENERATORS (FOR EXAMPLE, DYNAMOS, ALTERNATORS) AND CUT-OUTS OF A KIND USED IN CONJUNCTION WITH SUCH ENGINES", 
+  "hsn_code": "8511"
+ }, 
+ {
+  "description": "ELECTRICAL LIGHTING OR SIGNALLING EQUIPMENT (EXCLUDING ARTICLES OF HEADING 8539), WINDSCREEN WIPERS, DEFROSTERS AND DEMISTERS, OF A KIND USED FOR CYCLES OR MOTOR VEHICLES", 
+  "hsn_code": "8512"
+ }, 
+ {
+  "description": "PORTABLE ELECTRIC LAMPS DESIGNED TO FUNCTION BY THEIR OWN SOURCE OF ENERGY (FOR EXAMPLE, DRY BATTERIES, ACCUMULATORS, MAGNETOS), OTHER THAN LIGHTING EQUIPMENT OF HEADING 8512", 
+  "hsn_code": "8513"
+ }, 
+ {
+  "description": "INDUSTRIAL OR LABORATORY ELECTRIC FURNACES AND OVENS (INCLUDING THOSE FUNCTIONING BY INDUCTION OR DIELECTRIC LOSS); OTHER INDUSTRIAL OR LABORATORY EQUIPMENT FOR THE HEAT TREATMENT OF MATERIALS BY INDUCTION OR DIELECTRIC LOSS", 
+  "hsn_code": "8514"
+ }, 
+ {
+  "description": "ELECTRIC (INCLUDING ELECTRICALLY HEATED GAS), LASER OR OTHER LIGHT OR PHOTO BEAM, ULTRASONIC, ELECTRON BEAM, MAGNETIC PULSE OR PLASMA ARC SOLDERING, BRAZING OR WELDING MACHINES AND APPARATUS, WHETHER OR NOT CAPABLE OF CUTTING; ELECTRIC MACHINES AND APPARATUS FOR HOT SPRAYING OF METALS OR CERMETS", 
+  "hsn_code": "8515"
+ }, 
+ {
+  "description": "ELECTRIC INSTANTANEOUS OR STORAGE WATER HEATERS AND IMMERSION HEATERS; ELECTRIC SPACE HEATING APPARATUS AND SOIL HEATING APPARATUS; ELECTRO-THERMIC HAIR-DRESSING APPARATUS (FOR EXAMPLE, HAIR DRYERS, HAIR CURLERS, CURLING TONG HEATERS) AND HAND DRYERS, ELECTRIC SMOOTHING IRONS; OTHER ELECTRO-THERMIC APPLIANCES OF A KIND USED FOR DOMESTIC PURPOSES; ELECTRIC HEATING RESISTORS, OTHER THAN THOSE OF HEADING 8545", 
+  "hsn_code": "8516"
+ }, 
+ {
+  "description": "TELEPHONE SETS, INCLUDING TELEPHONES FOR CELLULAR NETWORKS OR FOR OTHER WIRELESS NETWORKS; OTHER APPARATUS FOR THE TRANSMISSION OR RECEPTION OF VOICE, IMAGES OR OTHER DATA, INCLUDING APPARATUS FOR COMMUNICATION IN A WIRED OR WIRELESS NETWORK (SUCH AS A LOCAL OR WIDE AREA NETWORK), OTHER THAN TRANSMISSION OR RECEPTION APPARATUS OF HEADING 8443, 8525, 8527 OR 8528.", 
+  "hsn_code": "8517"
+ }, 
+ {
+  "description": "MICROPHONES AND STANDS THEREFOR; LOUDSPEAKERS, WHETHER OR NOT MOUNTED IN THEIR ENCLOSURES; HEADPHONES AND EARPHONES, WHETHER OR NOT COMBINED WITH A MICROPHONE, AND SETS CONSISTING OF A MICROPHONE AND ONE OR MORE LOUDSPEAKERS; AUDIO-FREQUENCY ELECTRIC AMPLIFIERS; ELECTRIC SOUND AMPLIFIER SETS", 
+  "hsn_code": "8518"
+ }, 
+ {
+  "description": "SOUND RECORDING OR REPRODUCING APPARATUS", 
+  "hsn_code": "8519"
+ }, 
+ {
+  "description": "VIDEO RECORDING OR REPRODUCING APPARATUS, WHETHER OR NOT INCORPORATING A VIDEO TUNER", 
+  "hsn_code": "8521"
+ }, 
+ {
+  "description": "PARTS AND ACCESSORIES SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE APPARATUS OF HEADINGS 8519 OR 8521", 
+  "hsn_code": "8522"
+ }, 
+ {
+  "description": "ELECTRICAL APPARATUS FOR SWITCHING OR PROTECTING ELECTRICAL CIRCUITS, OR FOR MAKING CONNECTIONS TO OR IN ELECTRICAL CIRCUITS (FOR EXAMPLE, SWITCHES, RELAYS, FUSES, SURGE SUPPRESSORS, PLUGS,  SOCKETS, LAMP-HOLDERS AND OTHER CONNECTORS,  JUNCTION BOXES), FOR A VOLTAGE NOT EXCEEDING 1,000 VOLTS: CONNECTORS FOR OPTICAL FIBRES, OPTICAL FIBRE BUNDLES OR CABLES", 
+  "hsn_code": "8523"
+ }, 
+ {
+  "description": "Transmission apparatus for radio-broadcasting or television, whether or not incorporating reception apparatus or sound recording or reproducing apparatus; television cameras, digital cameras and video camera recorders", 
+  "hsn_code": "8525"
+ }, 
+ {
+  "description": "RADAR APPARATUS, RADIO NAVIGATIONAL AID APPARATUS AND RADIO REMOTE CONTROL APPARATUS", 
+  "hsn_code": "8526"
+ }, 
+ {
+  "description": "RECEPTION APPARATUS FOR RADIO-BROADCASTING WHETHER OR NOT COMBINED, IN THE SAME HOUSING, WITH SOUND RECORDING OR REPRODUCING APPARATUS OR A CLOCK", 
+  "hsn_code": "8527"
+ }, 
+ {
+  "description": "MONITORS AND PROJECTORS, NOT INCORPORATING TELEVISION RECEPTION APPARATUS, RECEPTION APPARATUS FOR TELEVISION, WHETHER OR NOT INCORPORATING RADIO-BROADCAST RECEIVERS OR SOUND OR VIDEO RECORDING OR REPRODUCING APPARATUS", 
+  "hsn_code": "8528"
+ }, 
+ {
+  "description": "PARTS SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE APPARATUS OF HEADINGS 8525 TO 8528", 
+  "hsn_code": "8529"
+ }, 
+ {
+  "description": "ELECTRICAL SIGNALING, SAFETY OR TRAFFIC CONTROL EQUIPMENT FOR RAILWAYS, TRAMWAYS, ROADS, INLAND WATERWAYS, PARKING FACILITIES, PORT INSTALLATIONS OR AIRFIELDS (OTHER THAN THOSE OF HEADING 8608)", 
+  "hsn_code": "8530"
+ }, 
+ {
+  "description": "ELECTRIC SOUND OR VISUAL SIGNALLING APPARATUS (FOR EXAMPLE, BELLS, SIRENS, INDICATOR PANELS, BURGLAR OR FIRE ALARMS), OTHER THAN THOSE OF HEADING 8512 OR 8530", 
+  "hsn_code": "8531"
+ }, 
+ {
+  "description": "ELECTRICAL CAPACITORS, FIXED, VARIABLE OR ADJUSTABLE (PRE-SET)", 
+  "hsn_code": "8532"
+ }, 
+ {
+  "description": "ELECTRICAL RESISTORS (INCLUDING RHEOSTATS AND POTENTIOMETERS), OTHER THAN HEATING RESISTORS", 
+  "hsn_code": "8533"
+ }, 
+ {
+  "description": "Printed circuits", 
+  "hsn_code": "8534"
+ }, 
+ {
+  "description": "ELECTRICAL APPARATUS FOR SWITCHING OR PROTECTING ELECTRICAL CIRCUITS, OR FOR MAKING CONNECTIONS TO OR IN ELECTRICAL CIRCUITS (FOR EXAMPLE, SWITCHES, FUSES, LIGHTNING ARRESTERS, VOLTAGE LIMITERS, SURGE SUPPRESSORS, PLUGS AND OTHER CONNECTORS, JUNCTION BOXES), FOR A VOLTAGE EXCEEDING 1,000 VOLTS", 
+  "hsn_code": "8535"
+ }, 
+ {
+  "description": "ELECTRICAL APPARATUS FOR SWITCHING OR PROTECTING ELECTRICAL CIRCUITS, OR FOR MAKING CONNECTIONS TO OR IN ELECTRICAL CIRCUITS (FOR EXAMPLE, SWITCHES, RELAYS, FUSES, SURGE SUPPRESSORS, PLUGS,  SOCKETS, LAMP-HOLDERS AND OTHER CONNECTORS,  JUNCTION BOXES), FOR A VOLTAGE NOT EXCEEDING 1,000 VOLTS: CONNECTORS FOR OPTICAL FIBRES, OPTICAL FIBRE BUNDLES OR CABLES", 
+  "hsn_code": "8536"
+ }, 
+ {
+  "description": "BOARDS, PANELS, CONSOLES DESKS, CABINETS AND OTHER BASES, EQUIPPED WITH TWO OR MORE APPARATUS OF HEADING 8535 OR 8536, FOR ELECTRIC CONTROL OR THE DISTRIBUTION OF ELECTRICITY, INCLUDING THOSE INCORPORATING INSTRUMENTS OR APPARATUS OF CHAPTER 90, AND NUMERICAL CONTROL APPARATUS, OTHER THAN SWITCHING APPARATUS OF HEADING 8517", 
+  "hsn_code": "8537"
+ }, 
+ {
+  "description": "PARTS SUITABLE FOR USE SOLELY OR PRINCIPALLY WITH THE APPARATUS OF HEADINGS 8535, 8536 OR 8537", 
+  "hsn_code": "8538"
+ }, 
+ {
+  "description": "ELECTRIC FILAMENT OR DISCHARGE LAMPS, INCLUDING SEALED BEAM LAMP UNITS AND ULTRA-VIOLET OR INFRA-RED LAMPS; ARC-LAMPS", 
+  "hsn_code": "8539"
+ }, 
+ {
+  "description": "THERMIONIC, COLD CATHODE OR PHOTO-CATHODE VALVES AND TUBES (FOR EXAMPLE, VACUUM OR VAPOUR OR GAS FILLED VALVES AND TUBES, MERCURY ARC RECTIFYING VALVES AND TUBES, CATHODE-RAY TUBES, TELEVISION CAMERA TUBES)", 
+  "hsn_code": "8540"
+ }, 
+ {
+  "description": "DIODES, TRANSISTORS AND SIMILAR SEMI-CONDUCTOR DEVICES; PHOTOSENSITIVE SEMI-CONDUCTOR DEVICES, INCLUDING PHOTOVOLTAIC CELLS WHETHER OR NOT ASSEMBLED IN MODULES OR MADE-UP INTO PANELS; LIGHT EMITTING DIODES; MOUNTED PIEZO-ELECTRIC CRYSTAL", 
+  "hsn_code": "8541"
+ }, 
+ {
+  "description": "ELECTRONIC INTEGRATED CIRCUITS", 
+  "hsn_code": "8542"
+ }, 
+ {
+  "description": "ELECTRICAL MACHINES AND APPARATUS HAVING INDIVIDUAL FUNCTIONS, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "8543"
+ }, 
+ {
+  "description": "INSULATED (INCLUDING ENAMELLED OR ANODISED) WIRE, CABLE (INCLUDING CO-AXIAL CABLE) AND OTHER INSULATED ELECTRIC CONDUCTORS, WHETHER OR NOT FITTED WITH CONNECTORS; OPTICAL FIBRE CABLES, MADE UP OF INDIVIDUALLY SHEATHED FIBRES, WHETHER OR NOT ASSEMBLED WITH ELECTRIC CONDUCTORS OR FITTED WITH CONNECTORS", 
+  "hsn_code": "8544"
+ }, 
+ {
+  "description": "CARBON ELECTRODES, CARBON BRUSHES, LAMP CARBONS, BATTERY CARBONS AND OTHER ARTICLES OF GRAPHITE OR OTHER CARBON, WITH OR WITHOUT METAL, OF A KIND USED FOR ELECTRICAL PURPOSES", 
+  "hsn_code": "8545"
+ }, 
+ {
+  "description": "ELECTRICAL INSULATORS OF ANY MATERIAL", 
+  "hsn_code": "8546"
+ }, 
+ {
+  "description": "INSULATING FITTINGS FOR ELECTRICAL MACHINES, APPLIANCES OR EQUIPMENT, BEING FITTINGS WHOLLY OF INSULATING MATERIAL APART FROM ANY MINOR COMPONENTS OF METAL (FOR EXAMPLE, THREADED SOCKETS) INCORPORATED DURING MOULDING SOLELY FOR THE PURPOSES OF ASSEMBLY, OTHER THAN INSULATORS OF HEADING 8546; ELECTRICAL CONDUIT TUBING AND JOINTS THEREFOR, OF BASE METAL LINED WITH INSULATING MATERIAL", 
+  "hsn_code": "8547"
+ }, 
+ {
+  "description": "WASTE AND SCRAP OF PRIMARY CELLS, PRIMARY BATTERIES AND ELECTRIC ACCUMULATORS; SPENT PRIMARY CELLS, SPENT PRIMARY BATTERIES AND SPENT ELECTRIC ACCUMULATORS; ELECTRICAL PARTS OF MACHINERY OR APPARATUS, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "8548"
+ }, 
+ {
+  "description": "Transportation", 
+  "hsn_code": "86-89"
+ }, 
+ {
+  "description": "RAIL LOCOMOTIVES POWERED FROM AN EXTERNAL SOURCE OF ELECTRICITY OR BY ELECTRIC ACCUMULATORS", 
+  "hsn_code": "8601"
+ }, 
+ {
+  "description": "OTHER RAIL LOCOMOTIVES; LOCOMOTIVE TENDERS", 
+  "hsn_code": "8602"
+ }, 
+ {
+  "description": "SELF-PROPELLED RAILWAY OR TRAMWAY COACHES, VANS AND TRUCKS, OTHER THAN THOSE OF HEADING 8604", 
+  "hsn_code": "8603"
+ }, 
+ {
+  "description": "Railway or tramway maintenance or service vehicles whether or not self-propelled (for example, workshops, cranes, ballast tampers, track-liners, testing coaches and track inspection vehicles)", 
+  "hsn_code": "8604"
+ }, 
+ {
+  "description": "Railway or tramway passenger coaches, not self-propelled; luggage vans, post office coaches and other special purpose railway or tramway coaches, not self-propelled (excluding those of heading 8604)", 
+  "hsn_code": "8605"
+ }, 
+ {
+  "description": "RAILWAY OR TRAMWAY GOODS VANS AND WAGONS, NOT SELF-PROPELLED", 
+  "hsn_code": "8606"
+ }, 
+ {
+  "description": "PARTS OF RAILWAY OR TRAMWAY LOCOMOTIVES OR ROLLING-STOCK", 
+  "hsn_code": "8607"
+ }, 
+ {
+  "description": "RAILWAY OR TRAMWAY TRACK FIXTURES AND FITTINGS; MECHANICAL (INCLUDING ELECTRO-MECHANICAL) SIGNALLING, SAFETY OR TRAFFIC CONTROL EQUIPMENT FOR RAILWAY, TRAMWAYS, RAODS, INLAND WATERWAYS, PARKING FACILITIES, PORT INSTALLATION OR AIR-FIELDS; PARTS OF THE FOREGOING", 
+  "hsn_code": "8608"
+ }, 
+ {
+  "description": "Containers (including containers for the transport of fluids) specially designed and equipped for carriage by one or more modes of transport", 
+  "hsn_code": "8609"
+ }, 
+ {
+  "description": "TRACTORS (OTHER THAN TRACTORS OF HEADING 8709)", 
+  "hsn_code": "8701"
+ }, 
+ {
+  "description": "MOTOR VEHICLES FOR THE TRANSPORT OF TEN OR MORE PERSONS, INCLUDING THE DRIVER", 
+  "hsn_code": "8702"
+ }, 
+ {
+  "description": "Motor cars and other motor vehicles; principally designed for the transport of persons (other than those of heading no. 8702), including station wagons and racing cars", 
+  "hsn_code": "8703"
+ }, 
+ {
+  "description": "MOTOR VEHICLES FOR THE TRANSPORT OF GOODS", 
+  "hsn_code": "8704"
+ }, 
+ {
+  "description": "SPECIAL PURPOSE MOTOR VEHICLES, OTHER THAN THOSE PRINCIPALLY DESIGNED FOR THE TRANSPORT OR PERSONS OR GOODS (FOR EXAMPLE BREAKDOWN LORRIES, CRANE LORRIES, FIRE FIGHTING VEHICLES, CONCRETE-MIXERS LORRIES, SPRAYING LORRIES, MOBILE WORKSHOPS, MOBILE RADIOLOGICAL UNITS)", 
+  "hsn_code": "8705"
+ }, 
+ {
+  "description": "CHASSIS FITTED WITH ENGINES, FOR THE MOTOR VEHICLES OF HEADINGS 8701 TO 8705", 
+  "hsn_code": "8706"
+ }, 
+ {
+  "description": "BODIES (INCLUDING CABS), FOR THE MOTOR VEHICLES OF HEADINGS 8701 TO 8705", 
+  "hsn_code": "8707"
+ }, 
+ {
+  "description": "PARTS AND ACCESSORIES OF THE MOTOR VEHICLES OF HEADINGS 8701 TO 8705", 
+  "hsn_code": "8708"
+ }, 
+ {
+  "description": "WORKS TRUCKS, SELF-PROPELLED, NOT FITTED WITH LIFTING OR HANDLING EQUIPMENT, OF THE TYPE USED IN FACTORIES, WAREHOUSES, DOCK AREAS OR AIRPORTS FOR SHORT DISTANCE TRANSPORT OF GOODS; TRACTORS OF THE TYPE USED ON RAILWAY STATION PLATFORMS; PARTS OF THE FOREGOING VEHICLES", 
+  "hsn_code": "8709"
+ }, 
+ {
+  "description": "Tanks and other armoured fighting vehicles, motorised, whether or not fitted with weapons, and parts of such vehicles", 
+  "hsn_code": "8710"
+ }, 
+ {
+  "description": "MOTORCYCLES (INCLUDING MOPEDS) AND CYCLES FITTED WITH AN AUXILIARY MOTOR, WITH OR WITHOUT SIDE-CARS", 
+  "hsn_code": "8711"
+ }, 
+ {
+  "description": "BICYCLES AND OTHER CYCLES (INCLUDING DELIVERY TRICYCLES), NOT MOTORISED", 
+  "hsn_code": "8712"
+ }, 
+ {
+  "description": "CARRIAGES FOR DISABLED PERSONS, WHETHER OR NOT MOTORISED OR OTHERWISE MECHANICALLY PROPELLED", 
+  "hsn_code": "8713"
+ }, 
+ {
+  "description": "PARTS AND ACCESSORIES OF VEHICLES OF HEADINGS 8711 TO 8713", 
+  "hsn_code": "8714"
+ }, 
+ {
+  "description": "BABY CARRIAGES AND PARTS THEREOF", 
+  "hsn_code": "8715"
+ }, 
+ {
+  "description": "TRAILERS AND SEMI-TRAILERS; OTHER VEHICLES, NOT MECHANICALLY PROPELLED; PARTS THEREOF", 
+  "hsn_code": "8716"
+ }, 
+ {
+  "description": "BALLOONS AND DIRIGIBLES, GLIDERS, HANG GLIDERS AND OTHER NON-POWERED AIRCRAFT", 
+  "hsn_code": "8801"
+ }, 
+ {
+  "description": "OTHER AIRCRAFT (FOR EXAMPLE, HELICOPTORS, AEROPLANES); SPACECRAFT (INCLUDING SATELLITES) AND SUBORBITAL AND SPACECRAFT LAUNCH VEHICLES", 
+  "hsn_code": "8802"
+ }, 
+ {
+  "description": "PARTS OF GOODS OF HEADING NUMBER 8801 OR 8802", 
+  "hsn_code": "8803"
+ }, 
+ {
+  "description": "PARACHUTES (INCLUDING DIRIGIBLE PARACHUTES AND PARAGLIDERS) AND ROTOCHUTES; PARTS THEREOF AND ACCESSORIES THERETO", 
+  "hsn_code": "8804"
+ }, 
+ {
+  "description": "AIRCRAFT LAUNCHING GEAR; DECK-ARRESTOR OR SIMILAR GEAR; GROUND FLYING TRAINERS; PARTS OF THE FOREGOING ARTICLES", 
+  "hsn_code": "8805"
+ }, 
+ {
+  "description": "CRUISE SHIPS, EXCURSION BOATS, FERRY-BOATS, CARGO SHIPS, BARGES AND SIMILAR VESSELS FOR THE TRANSPORT OF PERSONS OR GOODS", 
+  "hsn_code": "8901"
+ }, 
+ {
+  "description": "FISHING VESSELS; FACTORY SHIPS AND OTHER VESSELS FOR PROCESSING OR PRESERVING FISHERY PRODUCTS", 
+  "hsn_code": "8902"
+ }, 
+ {
+  "description": "YACHTS AND OTHER VESSELS FOR PLEASURE OR SPORTS; ROWING BOATS AND CANOES", 
+  "hsn_code": "8903"
+ }, 
+ {
+  "description": "Tugs and Pusher craft", 
+  "hsn_code": "8904"
+ }, 
+ {
+  "description": "LIGHT-VESSELS, FIRE-FLOATS, DREDGERS, FLOATING CRANES, AND OTHER VESSELS THE NAVIGABILITY OF WHICH IS SUBSIDIARY TO THEIR MAIN FUNCTION; FLOATING DOCKS; FLOATING OR SUBMERSIBLE DRILLING OR PRODUCTION PLATFORMS", 
+  "hsn_code": "8905"
+ }, 
+ {
+  "description": "OTHER VESSELS, INCLUDING WARSHIPS AND LIFEBOATS OTHER THAN ROWING BOATS", 
+  "hsn_code": "8906"
+ }, 
+ {
+  "description": "Boats, floating structures, other (for e.g. rafts, tanks, coffer-dams, landing stages, buoys and beacons)", 
+  "hsn_code": "8907"
+ }, 
+ {
+  "description": "Vessels and other floating structures; for breaking up", 
+  "hsn_code": "8908"
+ }, 
+ {
+  "description": "Miscellaneous", 
+  "hsn_code": "90-97"
+ }, 
+ {
+  "description": "OPTICAL FIBRES AND OPTICAL FIBRE BUNDLES; OPTICAL FIBRE CABLES OTHER THAN THOSE OF HEADING NO 8544; SHEETS AND PLATES OF POLARISING MATERIAL; LENSES (INCLUDING CONTACT LENSES), PRISMS, MIRRORS AND OTHER OPTICAL ELEMENTS, OF ANY MATERIAL, UNMOUNTED, OTHER THAN SUCH ELEMENTS OF GLASS NOT OPTICALLY WORKED", 
+  "hsn_code": "9001"
+ }, 
+ {
+  "description": "LENSES, PRISMS, MIRRORS AND OTHER OPTICAL ELEMENTS, OF ANY MATERIAL, MOUNTED, BEING PARTS OF OR FITTINGS FOR INSTRUMENTS OR APPARATUS, OTHER THAN SUCH ELEMENTS OF GLASS NOT OPTICALLY WORKED", 
+  "hsn_code": "9002"
+ }, 
+ {
+  "description": "FRAMES AND MOUNTINGS FOR SPECTACLES, GOGGLES OR THE LIKE, AND PARTS THEREOF", 
+  "hsn_code": "9003"
+ }, 
+ {
+  "description": "SPECTACLES, GOGGLES AND THE LIKE, CORRECTIVE, PROTECTIVE OR OTHER", 
+  "hsn_code": "9004"
+ }, 
+ {
+  "description": "BINOCULARS, MONOCULARS, OTHER OPTICAL TELESCOPES AND MOUNTINGS THEREFOR; OTHER ASTRONOMICAL INSTRUMENTS AND MOUNTINGS THEREFOR, BUT NOT INCLUDING INSTRUMENTS FOR RADIO-ASTRONOMY", 
+  "hsn_code": "9005"
+ }, 
+ {
+  "description": "PHOTOGRAPHIC (OTHER THAN CINEMATOGRAPHIC) CAMERAS; PHOTOGRAPHIC FLASHLIGHT APPARATUS AND FLASH BULBS OTHER THAN DISCHARGE LAMPS OF HEADING 8539", 
+  "hsn_code": "9006"
+ }, 
+ {
+  "description": "CINEMATOGRAPHIC CAMERAS AND PROJECTORS WHETHER OR NOT INCORPORATING SOUND RECORDING OR REPRODUCING APPARATUS", 
+  "hsn_code": "9007"
+ }, 
+ {
+  "description": "IMAGE PROJECTORS, OTHER THAN CINEMATOGRAPHIC; PHOTOGRAPHIC (OTHER THAN CINEMATOGRAPHIC) ENLARGERS AND REDUCERS", 
+  "hsn_code": "9008"
+ }, 
+ {
+  "description": "APPARATUS AND EQUIPMENT FOR PHOTOGRAPHIC (INCLUDING CINEMATOGRAPHIC) LABORATORIES  NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER; NEGATOSCOPES; PROJECTION SCREENS", 
+  "hsn_code": "9010"
+ }, 
+ {
+  "description": "COMPOUND OPTICAL MICROSCOPES, INCLUDING THOSE FOR PHOTOMICRO-GRAPHY, CINEPHOTOMICROGRAPHY OR MICROPROJECTION", 
+  "hsn_code": "9011"
+ }, 
+ {
+  "description": "MICROSCOPES OTHER THAN OPTICAL MICROSCOPES; DIFFRACTION APPARATUS", 
+  "hsn_code": "9012"
+ }, 
+ {
+  "description": "LIQUID CRYSTAL DEVICES NOT CONSTITUTING ARTICLES PROVIDED FOR MORE SPECIFICALLY IN OTHER HEADINGS; LASERS, OTHER THAN LASER DIODES; OTHER OPTICAL APPLIANCES AND INSTRUMENTS, NOT SPECIFIED OR INCLUDED ELSE WHERE IN THIS CHAPTER", 
+  "hsn_code": "9013"
+ }, 
+ {
+  "description": "DIRECTION FINDING COMPASSES; OTHER NAVIGATIONAL INSTRUMENTS AND APPLIANCES", 
+  "hsn_code": "9014"
+ }, 
+ {
+  "description": "SURVEYING (INCLUDING PHOTOGRAMMETRICAL SURVEYING), HYDROGRAPHIC OCEANOGRAPHIC, HYDROLOGICAL, METEROLOGICAL OR GEO-PHYSCIAL INSTRUMENTS AND APPLIANCES, EXCLUDING COMPASSES; RANGEFINDERS", 
+  "hsn_code": "9015"
+ }, 
+ {
+  "description": "BALANCES OF A SENSITIVITY OF 5cg OR BETTER, WITH OR WITHOUT WEIGHTS", 
+  "hsn_code": "9016"
+ }, 
+ {
+  "description": "DRAWING, MARKING-OUT OR MATHEMATICAL CALCULATING INSTRUMENTS (FOR EXAMPLE, DRAFTING MACHINES, PANTOGRAPHS, PROTRACTORS, DRAWING SETS, SLIDE RULES, DISC CALCULATORS); INSTRUMENTS FOR MEASURING LENGTH FOR USE IN THE HAND (FOR EXAMPLE, MEASURING RODS AND TAPES, MICROMETERS, CALLIPERS), NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER", 
+  "hsn_code": "9017"
+ }, 
+ {
+  "description": "INSTRUMENTS AND APPLIANCES USED IN MEDICAL, SURGICAL, DENTAL OR VETERINARY SCIENCES, INCLUDING SCIENTIGRAPHIC APPARATUS, OTHER ELECTROMEDICAL APPARATUS AND SIGHT-TESTING INSTRUMENTS", 
+  "hsn_code": "9018"
+ }, 
+ {
+  "description": "MECHANO-THERAPY APPLIANCES; MASSAGE APPARATUS; PSYCHOLOGICAL APTITUDE-TESTING APPARATUS; OZONE THERAPY, OXYGEN THERAPY, AEROSOL THERAPY, ARTIFICIAL RESPIRATION OR OTHER THERAPEUTIC RESPIRATION APPARATUS", 
+  "hsn_code": "9019"
+ }, 
+ {
+  "description": "Other breathing appliances and gas masks, excluding protective masks having neither mechanical parts nor replaceable filters", 
+  "hsn_code": "9020"
+ }, 
+ {
+  "description": "ORTHOPAEDIC APPLIANCES, INCLUDING CRUTCHES, SURGICAL BELTS AND TRUSES; SPLINTS AND OTHER FRACTURE APPLIANCES; ARTIFICIAL PARTS OF THE BODY; HEARING AIDS AND OTHER APPLIANCES WHICH ARE WORN OR CARRIED, OR IMPLANTED IN THE BODY, TO COMPENSATE FOR A DEFECT OR DISABILITY", 
+  "hsn_code": "9021"
+ }, 
+ {
+  "description": "APPARATUS BASED ON THE USE OF X-RAYS OR OF ALPHA, BETA OR GAMMA RADIATIONS, WHETHER OR NOT FOR MEDICAL, SURGICAL, DENTAL OR VETERINARY USES, INCLUDING RADIOGRAPHY OR RADIO-THERAPY APPRATUS, X-RAY TUBES AND OTHER X-RAY GENERATORS, HIGH TENSION GENERATORS, CONTROL PANELS AND DESKS, SCREENS, EXAMINATION OR TREATMENT TABLES, CHAIRS AND THE LIKE;", 
+  "hsn_code": "9022"
+ }, 
+ {
+  "description": "INSTRUMENTS, APPARATUS AND MODELS, DESIGNED FOR DEMONSTRATIONAL PURPOSES (FOR EXAMPLE, IN EDUCATION OR EXHIBITIONS), UNSUITABLE FOR OTHER USES", 
+  "hsn_code": "9023"
+ }, 
+ {
+  "description": "MACHINES AND APPLIANCES FOR TESTING THE HARDNESS, STRENGTH, COMPRESSIBILITY, ELEASTICITY OR OTHER MECHANICAL PROPERTIES OF MATERIALS (FOR EXAMPLE, METALS, WOOD, TEXTILES, PAPER, PLASTICS)", 
+  "hsn_code": "9024"
+ }, 
+ {
+  "description": "HYDROMETERS, AND SIMILAR FLOATING INSTRUMENTS, THERMOMETERS, PYROMETERS, BAROMETERS, HYGROMETERS AND PSYCHROMETERS, RECORDING OR NOT, AND ANY COMBINATION OF THESE INSTRUMENTS", 
+  "hsn_code": "9025"
+ }, 
+ {
+  "description": "INSTRUMENTS AND APPARATUS FOR MEASURING OR CHECKING THE FLOW, LEVEL, PRESSURE OR OTHER VARIABLES OF LIQUIDS OR GASES (FOR EXAMPLE, FLOW METERS, LEVEL GAUGES, MANOMETERS, HEAT METERS), EXCLUDING INSTRUMENTS AND APPARATUS OF HEADING 9014, 9015, 9028 OR 9032", 
+  "hsn_code": "9026"
+ }, 
+ {
+  "description": "INSTRUMENTS AND APPARATUS FOR PHYSICAL OR CHEMICAL ANALYSIS (FOR EXAMPLE, POLARIMETERS, REFRACTOMETERS, SPECTROMETERS, GAS OR SMOKE ANALYSIS APPARATUS); INSTRUMENTS AND APPARATUS FOR MEASURING OR CHECKING VISCOSITY, POROSITY, EXPANSION, SURFACE TENSION OR THE LIKE\u2019 INSTRUMENTS AND APPARATUS FOR MEASURING OR CHECKING QUANTITIES OF HEAT, SOUND OR LIGHT (INCLUDING EXPOSURE METERS); MICROTOMES", 
+  "hsn_code": "9027"
+ }, 
+ {
+  "description": "GAS, LIQUID OR ELECTRICITY SUPPLY OR PRODUCTION METERS, INCLUDING CALIBRATING METERS THEREFOR", 
+  "hsn_code": "9028"
+ }, 
+ {
+  "description": "REVOLUTION COUNTERS, PRODUCTION COUNTERS, TAXIMETERS, MILO METERS, PEDOMETERS AND THE LIKE; SPEED INDICATORS AND TACHO METERS, OTHER THAN THOSE OF HEADING 9014 OR 9015; STROBOSCOPES", 
+  "hsn_code": "9029"
+ }, 
+ {
+  "description": "OSCILLOSCOPES, SPECTRUM ANALYSERS AND OTHER INSTRUMENTS AND APPARATUS FOR MEASURING OR CHECKING ELECTRICAL QUANTITIES, EXCLUDING METERS OF HEADING 9028; INSTRUMENTS AND APPARATUS FOR MEASURING OR DETECTING ALPHA, BETA, GAMMA, X-RAY COSMIC OR OTHER IONISING RADIATIONS", 
+  "hsn_code": "9030"
+ }, 
+ {
+  "description": "MEASURING OR CHECKING INSTRUMENTS, APPLIANCES AND MACHINES, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER; PROFILE PROJECTORS", 
+  "hsn_code": "9031"
+ }, 
+ {
+  "description": "AUTOMATIC REGULATING OR CONTROLLIING INSTRUMENTS AND APPARATUS", 
+  "hsn_code": "9032"
+ }, 
+ {
+  "description": "Parts and accessories (not specified or included elsewhere in this Chapter) for machines, appliances, instruments or apparatus of Chapter 90", 
+  "hsn_code": "9033"
+ }, 
+ {
+  "description": "WRIST-WATCHES, POCKET-WATCHES AND OTHER WATCHES, INCLUDING STOP-WATCHES, WITH CASE OF PRECIOUS METAL OR OF METAL CLAD WITH PRECIOUS METAL", 
+  "hsn_code": "9101"
+ }, 
+ {
+  "description": "WRIST-WATCHES, POCKET-WATCHES AND OTHER WATCHES, INCLUDING STOP WATCHES, OTHER THAN THOSE OF HEADING 9101", 
+  "hsn_code": "9102"
+ }, 
+ {
+  "description": "CLOCKS WITH WATCH MOVEMENTS, EXCLUDING CLOCKS OF HEADING 9104", 
+  "hsn_code": "9103"
+ }, 
+ {
+  "description": "Instrument panel clocks and clocks of a similar type for vehicles, aircraft, spacecraft or vessels", 
+  "hsn_code": "9104"
+ }, 
+ {
+  "description": "OTHER CLOCKS", 
+  "hsn_code": "9105"
+ }, 
+ {
+  "description": "TIME OF DAY RECORDING APPARATUS AND APPARATUS FOR MEASURING, RECORDING OR OTHERWISE INDICATING INTERVALS OF TIME, WITH CLOCK OR WATCH MOVEMENT OR WITH SYNCHRONOUS MOTOR (FOR EXAMPLE, TIME-REGISTERS, TIME-RECORDERS)", 
+  "hsn_code": "9106"
+ }, 
+ {
+  "description": "Time switches with clock or watch movement or with synchronous motor", 
+  "hsn_code": "9107"
+ }, 
+ {
+  "description": "WATCH MOVEMENTS, COMPLETE AND ASSEMBLED", 
+  "hsn_code": "9108"
+ }, 
+ {
+  "description": "CLOCK MOVEMENTS, COMPLETE AND ASSEMBLED", 
+  "hsn_code": "9109"
+ }, 
+ {
+  "description": "COMPLETE WATCH OR CLOCK MOVEMENTS, UNASSEMBLED OR PARTLY ASSEMBLED (MOVEMENT SETS); INCOMPLETE WATCH OR CLOCK MOVEMENTS, ASSEMBLED; ROUGH WATCH OR CLOCK MOVEMENTS", 
+  "hsn_code": "9110"
+ }, 
+ {
+  "description": "WATCH CASES AND PARTS THEREOF", 
+  "hsn_code": "9111"
+ }, 
+ {
+  "description": "CLOCK CASES AND CASES OF A SIMILAR TYPE FOR OTHER GOODS OF THIS CHAPTER, AND PARTS THEREOF", 
+  "hsn_code": "9112"
+ }, 
+ {
+  "description": "WATCH STRAPS, WATCH BANDS AND WATCH BRACELETS, AND PARTS THEREOF", 
+  "hsn_code": "9113"
+ }, 
+ {
+  "description": "OTHER CLOCK OR WATCH PARTS", 
+  "hsn_code": "9114"
+ }, 
+ {
+  "description": "PIANOS, INCLUDING AUTOMATIC PIANOS; HARPSI-CHORDS AND OTHER KEYBOARD STRINGED INSTRUMENTS", 
+  "hsn_code": "9201"
+ }, 
+ {
+  "description": "OTHER STRING MUSICAL INSTRUMENTS (FOR EXAMPLE, GUITARS, VIOLINS, HARPS)", 
+  "hsn_code": "9202"
+ }, 
+ {
+  "description": "WIND MUSICAL INSTRUMENTS (FOR EXAMPLE, KEYBOARD PIPE ORGANS, ACCORDIONS, CLARINETS, TRUMPETS, BAGPIPES) OTHER THAN FAIRGROUND ORGANS AND MECHANICAL STREET ORGANS", 
+  "hsn_code": "9205"
+ }, 
+ {
+  "description": "Percussion musical instruments (for example, drums, xylophones, cymbols, castanets, maracas)", 
+  "hsn_code": "9206"
+ }, 
+ {
+  "description": "MUSICAL INSTRUMENTS, THE SOUND OF WHICH IS PRODUCED, OR MUST BE AMPLIFIED, ELECTRICALLY (FOR EXAMPLE, ORGANS, GUITARS, ACCORDIONS)", 
+  "hsn_code": "9207"
+ }, 
+ {
+  "description": "MUSICAL BOXES, FAIRGROUND ORGANS, MECHANICAL STREET ORGANS, MECHANICAL SINGING BIRDS, MUSICAL SAWS AND OTHER MUSICAL INSTRUMENTS NOT FALLING WITHIN ANY OTHER HEADING OF THIS CHAPTER; DECOY CALLS OF ALL KINDS; WHISTLES, CALL HORNS AND OTHER MOUTH-BLOWN SOUND SIGNALLING INSTRUMENTS", 
+  "hsn_code": "9208"
+ }, 
+ {
+  "description": "PARTS (FOR EXAMPLE, MECHANISMS FOR MUSICAL BOXES) AND ACCESSORIES (FOR EXAMPLE, CARDS, DISCS AND ROLLS FOR MECHANICAL INSTRUMENTS) OF MUSICAL INSTRUMENTS; METRONOMES, TUNING FORKS AND PITCH PIPES OF ALL KINDS", 
+  "hsn_code": "9209"
+ }, 
+ {
+  "description": "MILITARY WEAPONS, OTHER THAN REVOLVERS, PISTOLS AND THE ARMS OF HEADING 9307", 
+  "hsn_code": "9301"
+ }, 
+ {
+  "description": "Revolvers and Pistols, other than those of heading 9303 or 9304", 
+  "hsn_code": "9302"
+ }, 
+ {
+  "description": "OTHER FIREARMS AND SIMILAR DEVICES WHICH OPERATE BY THE FIRING OF AN EXPLOSIVE CHARGE (FOR EXAMPLE, SPORTING SHORTGUNS AND RIFLES, MUZZLE-LOADING FIREARMS, VERY PISTOLS AND OTHER DEVICES DESIGNED TO PROJECT ONLY SIGNAL FLARES, PISTOLS AND REVOLVERS FOR FIRING BLANK AMMUNITION, CAPTIVE-BOLT HUMANE KILLERS, LINE-THROWING GUNS)", 
+  "hsn_code": "9303"
+ }, 
+ {
+  "description": "Other Arms (for example, spring, air  or gas guns and pistols,truncheons), excluding those ofheading 9307", 
+  "hsn_code": "9304"
+ }, 
+ {
+  "description": "PARTS AND ACCESSORIES OF ARTICLES OF HEADINGS 9301 TO 9304", 
+  "hsn_code": "9305"
+ }, 
+ {
+  "description": "BOMBS, GRENADES, TORPEDOES, MINES, MISSILES AND SIMILAR MUNITIONS OF WAR AND PARTS THEREOF; CARTRIDGES AND OTHER AMMUNITION AND PROJECTILES AND PARTS THEREOF, INCLUDING SHOT AND CARTRIDGE WADS", 
+  "hsn_code": "9306"
+ }, 
+ {
+  "description": "SWORDS, CUT LASSES, BAYONETS, LANCES AND SIMILAR ARMS AND PARTS THEREOF AND SCABBARDS AND SHEATHS THEREOF", 
+  "hsn_code": "9307"
+ }, 
+ {
+  "description": "SEATS (OTHER THAN THOSE OF HEADING 9402), WHETHER OR NOT CONVERTIBLE INTO BEDS, AND PARTS THEREOF", 
+  "hsn_code": "9401"
+ }, 
+ {
+  "description": "MEDICAL, SURGICAL, DENTAL OR VETERINARY FURNITURE (FOR EXAMPLE, OPERATING TABLES, EXAMINATION TABLES, HOSPITAL BEDS WITH MECHANICAL FITTINGS, DENTISTS\u2019 CHAIRS); BARBERS\u2019 CHAIRS AND SIMILAR CHAIRS, HAVING ROTATING AS WELL AS BOTH RECLINING AND ELEVATING MOVEMENTS; PARTS OF THE FOREGOING ARTICLES", 
+  "hsn_code": "9402"
+ }, 
+ {
+  "description": "OTHER FURNITURE AND PARTS THEREOF", 
+  "hsn_code": "9403"
+ }, 
+ {
+  "description": "MATTRESS SUPPORTS; ARTICLES OF BEDDING AND SIMILAR FURNISHING (FOR EXAMPLE, MATTRESSES, QUILTS, EIDERDOWNS, CUSHIONS, POUFFES AND PILLOWS) FITTED WITH SPRINGS OR STUFFED OR INTERNALLY FITTED WITH ANY MATERIAL OR OF CELLULAR RUBBER OR PLASTICS, WHETHER OR NOT COVERED", 
+  "hsn_code": "9404"
+ }, 
+ {
+  "description": "LAMPS AND LIGHTING FITTINGS INCLUDING SEARCHLIGHTS AND SPOTLIGHTS AND PARTS THEREOF, NOT ELSEWHERE SPECIFIED OR INCLUDED; ILLUMINATED SIGNS, ILLUMINATED NAME-PLATES AND THE LIKE, HAVING A PERMANENTLY FIXED LIGHT SOURCE, AND PARTS THEREOF NOT ELSEWHERE SPECIFIED OR INCLUDED", 
+  "hsn_code": "9405"
+ }, 
+ {
+  "description": "PREFABRICATED BUILDINGS", 
+  "hsn_code": "9406"
+ }, 
+ {
+  "description": "TRICYCLES, SCOOTERS, PEDAL CARS AND SIMILAR WHEELED TOYS; DOLLS\u2019 CARRIAGES; DOLLS; OTHER  TOYS; REDUCED-SIZE (SCALE) MODELS AND SIMILAR RECREATIONAL MODELS, WORKING OR NOT; PUZZLES OF ALL KINDS.", 
+  "hsn_code": "9503"
+ }, 
+ {
+  "description": "VIDEO GAME CONSOLES AND MACHINES, ARTICLES FOR FUNFAIR, TABLE OR PARLOUR GAMES, INCLUDING PINTABLES, BILLIARDS, SPECIAL TABLES FOR CASINO GAMES AND AUTOMATIC BOWLING ALLEY EQUIPMENT", 
+  "hsn_code": "9504"
+ }, 
+ {
+  "description": "FESTIVE, CARNIVAL OR OTHER ENTERTAINMENT ARTICLES, INCLUDING CONJURING TRICKS AND NOVELTY JOKES", 
+  "hsn_code": "9505"
+ }, 
+ {
+  "description": "ARTICLES AND EQUIPMENT FOR GENERAL PHYSICAL EXERCISE, GYMNASTICS, ATHLETICS, OTHER SPORTS (INCLUDING TABLE-TENNIS) OR OUT-DOOR GAMES, NOT SPECIFIED OR INCLUDED ELSEWHERE IN THIS CHAPTER; SWIMMING POOLS AND PADDLING POOLS", 
+  "hsn_code": "9506"
+ }, 
+ {
+  "description": "FISHING RODS, FISH-HOOKS AND OTHER LINE FISHING TACKLE; FISH LANDING NETS, BUTTERFLY NETS AND SIMILAR NETS; DECOY \u201cBIRDS\u201d (OTHER THAN THOSE OF HEADING 9208 OR 9705) AND SIMILAR HUNTING OR SHOOTING REQUISITES", 
+  "hsn_code": "9507"
+ }, 
+ {
+  "description": "ROUNDABOUTS, SWINGS, SHOOTING GALLERIES AND OTHER FAIRGROUND AMUSEMENTS; TRAVELING CIRCUSES, TRAVELING MENAGERIES AND TRAVELING THEATRES", 
+  "hsn_code": "9508"
+ }, 
+ {
+  "description": "WORKED IVORY, BONE, TORTOISE-SHELL, HORN, ANTLERS, CORAL, MOTHER-OF-PEARL AND OTHER ANIMAL CARVING MATERIAL, AND ARTICLES OF THESE MATERIALS (INCLUDING ARTICLES OBTAINED BY MOULDING)", 
+  "hsn_code": "9601"
+ }, 
+ {
+  "description": "WORKED VEGETABLE OR MINERAL CARVING MATERIAL AND ARTICLES OF THESE MATERIALS MOULDED OR CARVED ARTICLES OF WAX, OF STEARIN, OF NATURAL GUMS OR NATURAL RESINS OR OF MODELLING PASTES, AND OTHER MOULDED OR CARVED ARTICLES, NOT ELSEWHERE SPECIFIED OR INLCLUDED; WORKED, UNHARDENED GELATIN (EXCEPT GELATIN OF HEADING 3503) AND ARTICLES OF UNHARDENED GELATIN", 
+  "hsn_code": "9602"
+ }, 
+ {
+  "description": "BROOMS, BRUSHES (INCLUDING BRUSHES CONSTITUTING PARTS OF MACHINES, APPLIANCES OR VEHICLES), HAND-OPERATED MECHANICAL FLOOR SWEEPERS, NOT MOTORISED, MOPS AND FEATHER DUSTERS; PREPARED KNOTS AND TUFTS FOR BROOM OR BRUSH MAKING; PAINT PADS AND ROLLERS; SQUEEGEES (OTHER THAN ROLLER SQUEEGEES)", 
+  "hsn_code": "9603"
+ }, 
+ {
+  "description": "Hand sieves and hand riddles", 
+  "hsn_code": "9604"
+ }, 
+ {
+  "description": "TRAVEL SETS FOR PERSONAL TOILET, SEWING OR SHOE OR CLOTHES CLEANING", 
+  "hsn_code": "9605"
+ }, 
+ {
+  "description": "BUTTONS, PRESS-FASTENERS, SNAP-FASTENERS AND PRESS-STUDS, BUTTON MOULDS AND OTHER PARTS OF THESE ARTICLES; BUTTON BLANKS", 
+  "hsn_code": "9606"
+ }, 
+ {
+  "description": "SLIDE FASTENERS AND PARTS THEREOF", 
+  "hsn_code": "9607"
+ }, 
+ {
+  "description": "BALL POINT PENS; FELT TIPPED AND OTHER POROUS-TIPPED PENS AND MARKERS; FOUNTAIN PENS; STYLOGRAPH PENS AND OTHER PENS; DUPLICATING STYLOS; PROPELLING OR SLIDING PENCILS; PEN HOLDERS, PENCIL HOLDERS AND SIMILAR HOLDERS; PARTS (INCLUDING CAPS AND CLIPS) OF THE FOREGOING ARTICLES, OTHER THAN THOSE OF HEADING 9609", 
+  "hsn_code": "9608"
+ }, 
+ {
+  "description": "PENCILS (OTHER THAN PENCILS OF HEADING 9608), CRAYONS, PENCIL LEADS, PASTELS, DRAWING CHARCOALS, WRITING OR DRAWING CHALKS AND TAILORS\u2019 CHALKS", 
+  "hsn_code": "9609"
+ }, 
+ {
+  "description": "PENCILS (OTHER THAN PENCILS OF HEADING 9608), CRAYONS, PENCIL LEADS, PASTELS, DRAWING CHARCOALS, WRITING OR DRAWING CHALKS AND TAILORS\u2019 CHALKS", 
+  "hsn_code": "9610"
+ }, 
+ {
+  "description": "Slates and Boards, with writing or drawing surfaces, whether or not framed", 
+  "hsn_code": "9610"
+ }, 
+ {
+  "description": "PENCILS (OTHER THAN PENCILS OF HEADING 9608), CRAYONS, PENCIL LEADS, PASTELS, DRAWING CHARCOALS, WRITING OR DRAWING CHALKS AND TAILORS\u2019 CHALKS", 
+  "hsn_code": "9611"
+ }, 
+ {
+  "description": "Date, sealing or numbering stamps, and the like (including devices for printing or embossing labels), designed for operating in the hand; hand-operated composing sticks and hand printing sets incorporating such composing sticks", 
+  "hsn_code": "9611"
+ }, 
+ {
+  "description": "TYPEWRITER OR SIMILAR RIBBONS, INKED OR OTHER WISE PREPARED FOR GIVING IMPRESIONS, WHETHER OR NOT ON SPOOLS OR IN CARTRIDGES; INK-PADS, WHETHER OR NOT INKED, WITH OR WITHOUT BOXES", 
+  "hsn_code": "9612"
+ }, 
+ {
+  "description": "CIGARETTE LIGHTERS AND OTHER LIGHTERS, WHETHER OR NOT MECHANICAL OR ELECTRICAL AND PARTS THEREOF OTHER THAN FLINTS AND WICKS", 
+  "hsn_code": "9613"
+ }, 
+ {
+  "description": "Smoking pipes (including pipe bowls) and cigar or cigarette holders and parts thereof", 
+  "hsn_code": "9614"
+ }, 
+ {
+  "description": "COMBS, HAIR-SLIDES AND THE LIKE, HAIRPINS, CURLING PINS, CURLING GRIPS, HAIR-CURLERS AND THE LIKE, OTHER THAN THOSE OF HEADING 8516, AND PARTS THEREOF", 
+  "hsn_code": "9615"
+ }, 
+ {
+  "description": "SCENT SPRAYS AND SIMILAR TOILET SPRAYS, AND MOUNTS AND HEADS THEREFOR; POWDER-PUFFS AND PADS FOR THE APPLICATION OF COSMETICS OR TOILET PREPARATIONS", 
+  "hsn_code": "9616"
+ }, 
+ {
+  "description": "VACUUM FLASKS AND OTHER VACUUM VESSELS, COMPLETE WITH CASES; PARTS THEREOF OTHER THAN GLASS INNERS", 
+  "hsn_code": "9617"
+ }, 
+ {
+  "description": "Tailors\u2019 dummies and other lay figures; automata and other animated displays, used for shop window dressing", 
+  "hsn_code": "9618"
+ }, 
+ {
+  "description": "BALL POINT PENS; FELT TIPPED AND OTHER POROUS-TIPPED PENS AND MARKERS; FOUNTAIN PENS; STYLOGRAPH PENS AND OTHER PENS; DUPLICATING STYLOS; PROPELLING OR SLIDING PENCILS; PEN HOLDERS, PENCIL HOLDERS AND SIMILAR HOLDERS; PARTS (INCLUDING CAPS AND CLIPS) OF THE FOREGOING ARTICLES, OTHER THAN THOSE OF HEADING 9609", 
+  "hsn_code": "9619"
+ }, 
+ {
+  "description": "PAINTINGS, DRAWINGS AND PASTELS, EXECUTED ENTIRELY BY HAND, OTHER THAN DRAWINGS OF HEADING 4906 AND OTHER THAN HAND-PAINTED OR HAND-DECORATED MANUFACTURED ARTICLES; COLLAGES AND SIMILAR DECORATIVE PLAQUES", 
+  "hsn_code": "9701"
+ }, 
+ {
+  "description": "Original engravings, prints and lithographs", 
+  "hsn_code": "9702"
+ }, 
+ {
+  "description": "ORIGINAL SCULPTURES AND STATUARY, IN ANY MATERIAL", 
+  "hsn_code": "9703"
+ }, 
+ {
+  "description": "POSTAGE OR REVENUE STAMPS, STAMP-POST MARKS, FIRST-DAY COVERS, POSTAL STATIONERY (STAMPED PAPER), AND THE LIKE, USED OR UNUSED, OTHER THAN THOSE OF HEADING 4907", 
+  "hsn_code": "9704"
+ }, 
+ {
+  "description": "COLLECTIONS AND COLLECTORS\u2019 PIECES OF ZOOLOGICAL, BOTANICAL, MINERALOGICAL, ANATOMICAL, HISTORICAL, ARCHAEOLOGICAL, PALAEONTOLOGICAL, ETHNOGRAPHIC OR NUMISMATIC INTEREST:", 
+  "hsn_code": "9705"
+ }, 
+ {
+  "description": "Antiques of an age exceeding one hundred years", 
+  "hsn_code": "9706"
+ }, 
+ {
+  "description": "ALL ITEMS OF MACHINERY INCLUDING PRIME MOVERS, INSTRUMENTS, APPARATUS AND APPLIANCES, CONTROL GEAR AND TRANSMISSION EQUIPMENT, AUXILLIARY EQUIPMENT (INCLUDING THOSE REQUIRED FOR RESEARCH AND DEVELOPMENT PURPOSES, TESTING AND QUALITY CONTROL), AS WELL AS ALL COMPONENTS (WHETHER FINISHED OR NOT) OR RAW MATERIALS FOR THE MANUFACTURE OF THE AFORESAID ITEMS AND THEIR COMPONENTS, REQUIRED FOR THE INITIAL SETTING UP OF A UNIT, OR THE SUBSTANTIAL EXPANSION OF AN EXISTING UNIT, OF A SPECIFIED: (1) INDUSTRIAL PLANT, (2) IRRIGATION PROJECT, (3) POWER PROJECT, (4) MINING PROJECT, (5) PROJECT FOR THE EXPLORATION FOR OIL OR OTHER MINERALS, AND (6) SUCH OTHER PROJECTS AS THE CENTRAL GOVERNMENT MAY, HAVING REGARD TO THE ECONOMIC DEVELOPMENT OF THE COUNTRY NOTIFY IN THE OFFICIAL GAZETTE IN THIS BEHALF; AND SPARE PARTS, OTHER RAW MATERIALS (INCLUDING SEMI-FINISHED MATERIAL) OR CONSUMABLE STORES NOT EXCEEDING 10% OF THE VALUE OF THE GOODS SPECIFIED ABOVE PROVIDED THAT SUCH SPARE PARTS, RAW MATERIALS OR C", 
+  "hsn_code": "9801"
+ }, 
+ {
+  "description": "Laboratory Chemicals", 
+  "hsn_code": "9802"
+ }, 
+ {
+  "description": "All dutiable articles, imported by a passenger or a member of a crew in his baggage", 
+  "hsn_code": "9803"
+ }, 
+ {
+  "description": "ALL DUTIABLE ARTICLES, INTENDED FOR PERSONAL USE, IMPORTED BY POST OR AIR, AND EXEMPTED FROM ANY PROHIBITION IN RESPECT OF THE IMPORTS THEREOF UNDER THE FOREIGN TRADE (DEVELOPMENT & REGULATION) ACT, 1992 BUT EXCLUDING ARTICLES FALLING UNDER HEADING 9803", 
+  "hsn_code": "9804"
+ }, 
+ {
+  "description": "THE FOLLOWING ARTICLES OF STORES ON BOARD OF A VESSEL OR AIRCRAFT ON WHICH DUTY IS LEVIABLE UNDER THE CUSTOMS ACT, 1962 (52 OF 1962) NAMELY:", 
+  "hsn_code": "9805"
+ },
  {
   "description": "LIVE HORSES, ASSES, MULES AND HINNIES PURE-BRED BREEDING ANIMALS HORSES",
   "hsn_code": "1011010"
diff --git a/erpnext/regional/india/sac_code_data.json b/erpnext/regional/india/sac_code_data.json
new file mode 100644
index 0000000000..42457340be
--- /dev/null
+++ b/erpnext/regional/india/sac_code_data.json
@@ -0,0 +1,2398 @@
+[
+ {
+  "description": "Construction services", 
+  "sac_code": "9954"
+ }, 
+ {
+  "description": "Construction services of single dwelling or multi dewlling or multi-storied residential buildings", 
+  "sac_code": "995411"
+ }, 
+ {
+  "description": "Construction services of other residential buildings such as old age homes, homeless shelters, hostels etc", 
+  "sac_code": "995412"
+ }, 
+ {
+  "description": "Construction services of industrial buildings such as buildings used for production activities (used for assembly line activities), workshops, storage buildings and other similar industrial buildings", 
+  "sac_code": "995413"
+ }, 
+ {
+  "description": "Construction services of commercial buildings such as office buildings, exhibition & marriage halls, malls, hotels, restaurants, airports, rail or road terminals, parking garages, petrol and service stations, theatres and other similar buildings.", 
+  "sac_code": "995414"
+ }, 
+ {
+  "description": "Construction services of other non-residential buildings such as educational institutions, hospitals, clinics including vertinary clinics, religious establishments, courts, prisons, museums and other similar buildings", 
+  "sac_code": "995415"
+ }, 
+ {
+  "description": "Construction Services of other buildings n.e.c", 
+  "sac_code": "995416"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, renovation, maintenance or remodelling of the buildings covered above.", 
+  "sac_code": "995419"
+ }, 
+ {
+  "description": "General construction services of highways, streets, roads, railways and airfield runways, bridges and tunnels", 
+  "sac_code": "995421"
+ }, 
+ {
+  "description": "General construction services of harbours, waterways, dams, water mains and lines, irrigation and other waterworks", 
+  "sac_code": "995422"
+ }, 
+ {
+  "description": "General construction services of long-distance underground/overland/submarine pipelines, communication and electric power lines (cables); pumping stations and related works; transformer stations and related works.", 
+  "sac_code": "995423"
+ }, 
+ {
+  "description": "General construction services of local water & sewage pipelines, electricity and communication cables & related works", 
+  "sac_code": "995424"
+ }, 
+ {
+  "description": "General construction services of mines and industrial plants", 
+  "sac_code": "995425"
+ }, 
+ {
+  "description": "General Construction services of Power Plants and its related infrastructure", 
+  "sac_code": "995426"
+ }, 
+ {
+  "description": "General construction services of outdoor sport and recreation facilities", 
+  "sac_code": "995427"
+ }, 
+ {
+  "description": "General construction services of other civil engineering works n.e.c.", 
+  "sac_code": "995428"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, renovation, maintenance or remodelling of the constructions covered above.", 
+  "sac_code": "995429"
+ }, 
+ {
+  "description": "Demolition services", 
+  "sac_code": "995431"
+ }, 
+ {
+  "description": "Site formation and clearance services including preparation services to make sites ready for subsequent construction work, test drilling & boring & core extraction, digging of trenches.", 
+  "sac_code": "995432"
+ }, 
+ {
+  "description": "Excavating and earthmoving services", 
+  "sac_code": "995433"
+ }, 
+ {
+  "description": "Water well drilling services and septic system installation services", 
+  "sac_code": "995434"
+ }, 
+ {
+  "description": "Other site preparation services n.e.c", 
+  "sac_code": "995435"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, maintenance of the constructions covered above.", 
+  "sac_code": "995439"
+ }, 
+ {
+  "description": "Installation, assembly and erection services of prefabricated buildings", 
+  "sac_code": "995441"
+ }, 
+ {
+  "description": "Installation, assembly and erection services of other prefabricated structures and constructions", 
+  "sac_code": "995442"
+ }, 
+ {
+  "description": "Installation services of all types of street furniture (e.g., bus shelters, benches, telephone booths, public toilets, etc.)", 
+  "sac_code": "995443"
+ }, 
+ {
+  "description": "Other assembly and erection services n.e.c.", 
+  "sac_code": "995444"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, maintenance of the constructions covered above.", 
+  "sac_code": "995449"
+ }, 
+ {
+  "description": "Pile driving and foundation services", 
+  "sac_code": "995451"
+ }, 
+ {
+  "description": "Building framing & Roof Framing services", 
+  "sac_code": "995452"
+ }, 
+ {
+  "description": "Roofing and waterproofing services", 
+  "sac_code": "995453"
+ }, 
+ {
+  "description": "Concrete services", 
+  "sac_code": "995454"
+ }, 
+ {
+  "description": "Structural steel erection services", 
+  "sac_code": "995455"
+ }, 
+ {
+  "description": "Masonry services", 
+  "sac_code": "995456"
+ }, 
+ {
+  "description": "Scaffolding services", 
+  "sac_code": "995457"
+ }, 
+ {
+  "description": "Other special trade construction services n.e.c.", 
+  "sac_code": "995458"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, maintenance of the constructions covered above.", 
+  "sac_code": "995459"
+ }, 
+ {
+  "description": "Electrical installation services including Electrical wiring & fitting services, fire alarm installation services, burglar alarm system installation services.", 
+  "sac_code": "995461"
+ }, 
+ {
+  "description": "Water plumbing and drain laying services", 
+  "sac_code": "995462"
+ }, 
+ {
+  "description": "Heating, ventilation and air conditioning equipment installation services", 
+  "sac_code": "995463"
+ }, 
+ {
+  "description": "Gas fitting installation services", 
+  "sac_code": "995464"
+ }, 
+ {
+  "description": "Insulation services", 
+  "sac_code": "995465"
+ }, 
+ {
+  "description": "Lift and escalator installation services", 
+  "sac_code": "995466"
+ }, 
+ {
+  "description": "Other installation services n.e.c.", 
+  "sac_code": "995468"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, maintenance of the installations covered above.", 
+  "sac_code": "995469"
+ }, 
+ {
+  "description": "Glazing services", 
+  "sac_code": "995471"
+ }, 
+ {
+  "description": "Plastering services", 
+  "sac_code": "995472"
+ }, 
+ {
+  "description": "Painting services", 
+  "sac_code": "995473"
+ }, 
+ {
+  "description": "Floor and wall tiling services", 
+  "sac_code": "995474"
+ }, 
+ {
+  "description": "Other floor laying, wall covering and wall papering services", 
+  "sac_code": "995475"
+ }, 
+ {
+  "description": "Joinery and carpentry services", 
+  "sac_code": "995476"
+ }, 
+ {
+  "description": "Fencing and railing services", 
+  "sac_code": "995477"
+ }, 
+ {
+  "description": "Other building completion and finishing services n.e.c.", 
+  "sac_code": "995478"
+ }, 
+ {
+  "description": "Services involving Repair, alterations, additions, replacements, maintenance of the completion/finishing works covered above.", 
+  "sac_code": "995479"
+ }, 
+ {
+  "description": "Services in wholesale trade", 
+  "sac_code": "9961"
+ }, 
+ {
+  "description": "Services provided for a fee/commission or contract basis on wholesale trade", 
+  "sac_code": "996111"
+ }, 
+ {
+  "description": "Services in retail trade", 
+  "sac_code": "9962"
+ }, 
+ {
+  "description": "Services provided for a fee/commission or contract basis on retail trade", 
+  "sac_code": "996211"
+ }, 
+ {
+  "description": "Accommodation, Food and beverage services", 
+  "sac_code": "9963"
+ }, 
+ {
+  "description": "Room or unit accommodation services provided by Hotels, INN, Guest House, Club etc", 
+  "sac_code": "996311"
+ }, 
+ {
+  "description": "Camp site services", 
+  "sac_code": "996312"
+ }, 
+ {
+  "description": "Recreational and vacation camp services", 
+  "sac_code": "996313"
+ }, 
+ {
+  "description": "Room or unit accommodation services for students in student residences", 
+  "sac_code": "996321"
+ }, 
+ {
+  "description": "Room or unit accommodation services provided by Hostels, Camps, Paying Guest etc", 
+  "sac_code": "996322"
+ }, 
+ {
+  "description": "Other room or unit accommodation services n.e.c.", 
+  "sac_code": "996329"
+ }, 
+ {
+  "description": "Services provided by Restaurants, Cafes and similar eating facilities including takeaway services, Room services and door delivery of food.", 
+  "sac_code": "996331"
+ }, 
+ {
+  "description": "Services provided by Hotels, INN, Guest House, Club etc including Room services, takeaway services and door delivery of food.", 
+  "sac_code": "996332"
+ }, 
+ {
+  "description": "Services provided in Canteen and other similar establishments", 
+  "sac_code": "996333"
+ }, 
+ {
+  "description": "Catering Services in Exhibition halls, Events, Marriage Halls and other outdoor/indoor functions.", 
+  "sac_code": "996334"
+ }, 
+ {
+  "description": "Catering services in trains, flights etc.", 
+  "sac_code": "996335"
+ }, 
+ {
+  "description": "Preparation and/or supply services of food, edible preparations, alchoholic & non-alchocholic beverages to airlines and other transportation operators", 
+  "sac_code": "996336"
+ }, 
+ {
+  "description": "Other contract food services", 
+  "sac_code": "996337"
+ }, 
+ {
+  "description": "Other food, edible preparations, alchoholic & non-alchocholic beverages serving services n.e.c.", 
+  "sac_code": "996339"
+ }, 
+ {
+  "description": "Passenger transport services", 
+  "sac_code": "9964"
+ }, 
+ {
+  "description": "Local land transport services of passengers by railways, metro, monorail, bus, tramway, autos, three wheelers, scooters and other motor vehicles", 
+  "sac_code": "996411"
+ }, 
+ {
+  "description": "Taxi services including radio taxi & other similar services; ", 
+  "sac_code": "996412"
+ }, 
+ {
+  "description": "Non-scheduled local bus and coach charter services", 
+  "sac_code": "996413"
+ }, 
+ {
+  "description": "Other land transportation services of passengers.", 
+  "sac_code": "996414"
+ }, 
+ {
+  "description": "Local water transport services of passengers by ferries, cruises etc", 
+  "sac_code": "996415"
+ }, 
+ {
+  "description": "Sightseeing transportation services by rail, land, water & air", 
+  "sac_code": "996416"
+ }, 
+ {
+  "description": "Other local transportation services of passengers n.e.c.", 
+  "sac_code": "996419"
+ }, 
+ {
+  "description": "Long-distance transport services of passengers through Rail network by Railways, Metro etc", 
+  "sac_code": "996421"
+ }, 
+ {
+  "description": "Long-distance transport services of passengers through Road by Bus, Car, non-scheduled long distance bus and coach services, stage carriage etc", 
+  "sac_code": "996422"
+ }, 
+ {
+  "description": "Taxi services including radio taxi & other similar services", 
+  "sac_code": "996423"
+ }, 
+ {
+  "description": "Coastal and transoceanic (overseas) water transport services of passengers by Ferries, Cruise Ships etc", 
+  "sac_code": "996424"
+ }, 
+ {
+  "description": "Domestic/International Scheduled Air transport services of passengers", 
+  "sac_code": "996425"
+ }, 
+ {
+  "description": "Domestic/international non-scheduled air transport services of Passengers", 
+  "sac_code": "996426"
+ }, 
+ {
+  "description": "Space transport services of passengers", 
+  "sac_code": "996427"
+ }, 
+ {
+  "description": "Other long-distance transportation services of passengers n.e.c.", 
+  "sac_code": "996429"
+ }, 
+ {
+  "description": "Goods Transport Services", 
+  "sac_code": "9965"
+ }, 
+ {
+  "description": "Road transport services of Goods including letters, parcels, live animals, household & office furniture, containers etc by refrigerator vehicles, trucks, trailers, man or animal drawn vehicles or any other vehicles.", 
+  "sac_code": "996511"
+ }, 
+ {
+  "description": "Railway transport services of Goods including letters, parcels, live animals, household & office furniture, intermodal containers, bulk cargo etc", 
+  "sac_code": "996512"
+ }, 
+ {
+  "description": "Transport services of petroleum & natural gas, water, sewerage and other goods via pipeline", 
+  "sac_code": "996513"
+ }, 
+ {
+  "description": "Other land transport services of goods n.e.c.", 
+  "sac_code": "996519"
+ }, 
+ {
+  "description": "Coastal and transoceanic (overseas) water transport services of goods by refrigerator vessels, tankers, bulk cargo vessels, container ships etc", 
+  "sac_code": "996521"
+ }, 
+ {
+  "description": "Inland water transport services of goods by refrigerator vessels, tankers and other vessels.", 
+  "sac_code": "996522"
+ }, 
+ {
+  "description": "Air transport services of letters & parcels and other goods", 
+  "sac_code": "996531"
+ }, 
+ {
+  "description": "Space transport services of freight", 
+  "sac_code": "996532"
+ }, 
+ {
+  "description": "Rental services of transport vehicles with or without operators", 
+  "sac_code": "9966"
+ }, 
+ {
+  "description": "Rental services of road vehicles including buses, coaches, cars, trucks and other motor vehicles, with or without operator", 
+  "sac_code": "996601"
+ }, 
+ {
+  "description": "Rental services of water vessels including passenger vessels, freight vessels etc with or without operator", 
+  "sac_code": "996602"
+ }, 
+ {
+  "description": "Rental services of aircraft including passenger aircrafts, freight aircrafts etc with or without operator", 
+  "sac_code": "996603"
+ }, 
+ {
+  "description": "Rental services of other transport vehicles n.e.c. with or without operator", 
+  "sac_code": "996609"
+ }, 
+ {
+  "description": "Supporting services in transport", 
+  "sac_code": "9967"
+ }, 
+ {
+  "description": "Container handling services", 
+  "sac_code": "996711"
+ }, 
+ {
+  "description": "Customs House Agent services", 
+  "sac_code": "996712"
+ }, 
+ {
+  "description": "Clearing and forwarding services", 
+  "sac_code": "996713"
+ }, 
+ {
+  "description": "Other cargo and baggage handling services", 
+  "sac_code": "996719"
+ }, 
+ {
+  "description": "Refrigerated storage services", 
+  "sac_code": "996721"
+ }, 
+ {
+  "description": "Bulk liquid or gas storage services", 
+  "sac_code": "996722"
+ }, 
+ {
+  "description": "Other storage and warehousing services", 
+  "sac_code": "996729"
+ }, 
+ {
+  "description": "Railway pushing or towing services", 
+  "sac_code": "996731"
+ }, 
+ {
+  "description": "Other supporting services for railway transport n.e.c.", 
+  "sac_code": "996739"
+ }, 
+ {
+  "description": "Bus station services", 
+  "sac_code": "996741"
+ }, 
+ {
+  "description": "Operation services of National Highways, State Highways, Expressways, Roads & streets; bridges and tunnel operation services.", 
+  "sac_code": "996742"
+ }, 
+ {
+  "description": "Parking lot services", 
+  "sac_code": "996743"
+ }, 
+ {
+  "description": "Towing services for commercial and private vehicles", 
+  "sac_code": "996744"
+ }, 
+ {
+  "description": "Other supporting services for road transport n.e.c.", 
+  "sac_code": "996749"
+ }, 
+ {
+  "description": "Port and waterway operation services (excl. cargo handling) such as operation services of ports, docks, light houses, light ships etc", 
+  "sac_code": "996751"
+ }, 
+ {
+  "description": "Pilotage and berthing services", 
+  "sac_code": "996752"
+ }, 
+ {
+  "description": "Vessel salvage and refloating services", 
+  "sac_code": "996753"
+ }, 
+ {
+  "description": "Other supporting services for water transport n.e.c.", 
+  "sac_code": "996759"
+ }, 
+ {
+  "description": "Airport operation services (excl. cargo handling)", 
+  "sac_code": "996761"
+ }, 
+ {
+  "description": "Air traffic control services", 
+  "sac_code": "996762"
+ }, 
+ {
+  "description": "Other supporting services for air transport", 
+  "sac_code": "996763"
+ }, 
+ {
+  "description": "Supporting services for space transport", 
+  "sac_code": "996764"
+ }, 
+ {
+  "description": "Goods transport agency services for road transport", 
+  "sac_code": "996791"
+ }, 
+ {
+  "description": "Goods transport agency services for other modes of transport", 
+  "sac_code": "996792"
+ }, 
+ {
+  "description": "Other goods transport services ", 
+  "sac_code": "996793"
+ }, 
+ {
+  "description": "Other supporting transport services n.e.c", 
+  "sac_code": "996799"
+ }, 
+ {
+  "description": "Postal and courier services", 
+  "sac_code": "9968"
+ }, 
+ {
+  "description": "Postal services including post office counter services, mail box rental services.", 
+  "sac_code": "996811"
+ }, 
+ {
+  "description": "Courier services", 
+  "sac_code": "996812"
+ }, 
+ {
+  "description": "Local delivery services", 
+  "sac_code": "996813"
+ }, 
+ {
+  "description": "Other Delivery Services n.e.c", 
+  "sac_code": "996819"
+ }, 
+ {
+  "description": "Electricity, gas, water and other distribution services", 
+  "sac_code": "9969"
+ }, 
+ {
+  "description": "Electricity transmission services", 
+  "sac_code": "996911"
+ }, 
+ {
+  "description": "Electricity distribution services", 
+  "sac_code": "996912"
+ }, 
+ {
+  "description": "Gas distribution services", 
+  "sac_code": "996913"
+ }, 
+ {
+  "description": "Water distribution services", 
+  "sac_code": "996921"
+ }, 
+ {
+  "description": "Services involving distribution of steam, hot water and air conditioning supply etc.", 
+  "sac_code": "996922"
+ }, 
+ {
+  "description": "Other similar services.", 
+  "sac_code": "996929"
+ }, 
+ {
+  "description": "Financial and related services", 
+  "sac_code": "9971"
+ }, 
+ {
+  "description": "Central banking services", 
+  "sac_code": "997111"
+ }, 
+ {
+  "description": "Deposit services", 
+  "sac_code": "997112"
+ }, 
+ {
+  "description": "Credit-granting services including stand-by commitment, guarantees & securities", 
+  "sac_code": "997113"
+ }, 
+ {
+  "description": "Financial leasing services", 
+  "sac_code": "997114"
+ }, 
+ {
+  "description": "Other financial services (except investment banking, insurance services and pension services)", 
+  "sac_code": "997119"
+ }, 
+ {
+  "description": "Investment banking services ", 
+  "sac_code": "997120"
+ }, 
+ {
+  "description": "pension services", 
+  "sac_code": "997131"
+ }, 
+ {
+  "description": "Life insurance services  (excluding reinsurance services)", 
+  "sac_code": "997132"
+ }, 
+ {
+  "description": "Accident and health insurance services", 
+  "sac_code": "997133"
+ }, 
+ {
+  "description": "Motor vehicle insurance services", 
+  "sac_code": "997134"
+ }, 
+ {
+  "description": "Marine, aviation, and other transport insurance services", 
+  "sac_code": "997135"
+ }, 
+ {
+  "description": "Freight insurance services & Travel insurance services", 
+  "sac_code": "997136"
+ }, 
+ {
+  "description": "Other property insurance services", 
+  "sac_code": "997137"
+ }, 
+ {
+  "description": "Other non-life insurance services (excluding reinsurance services)", 
+  "sac_code": "997139"
+ }, 
+ {
+  "description": "Life reinsurance services", 
+  "sac_code": "997141"
+ }, 
+ {
+  "description": "Accident and health reinsurance services", 
+  "sac_code": "997142"
+ }, 
+ {
+  "description": "Motor vehicle reinsurance services", 
+  "sac_code": "997143"
+ }, 
+ {
+  "description": "Marine, aviation and other transport reinsurance ser", 
+  "sac_code": "997144"
+ }, 
+ {
+  "description": "services", 
+  "sac_code": "997145"
+ }, 
+ {
+  "description": "Freight reinsurance services", 
+  "sac_code": "997146"
+ }, 
+ {
+  "description": "Other property reinsurance services", 
+  "sac_code": "997147"
+ }, 
+ {
+  "description": "Other non-life reinsurance services ", 
+  "sac_code": "997149"
+ }, 
+ {
+  "description": "Services related to investment banking such as mergers & acquisition services, corporate finance & venture capital services", 
+  "sac_code": "997151"
+ }, 
+ {
+  "description": "Brokerage and related securities and commodities services including commodity exchange services", 
+  "sac_code": "997152"
+ }, 
+ {
+  "description": "Portfolio management services except pension funds", 
+  "sac_code": "997153"
+ }, 
+ {
+  "description": "Trust and custody services", 
+  "sac_code": "997154"
+ }, 
+ {
+  "description": "Services related to the administration of financial markets", 
+  "sac_code": "997155"
+ }, 
+ {
+  "description": "Financial consultancy services", 
+  "sac_code": "997156"
+ }, 
+ {
+  "description": "Foreign exchange services", 
+  "sac_code": "997157"
+ }, 
+ {
+  "description": "Financial transactions processing and clearing house services", 
+  "sac_code": "997158"
+ }, 
+ {
+  "description": "Other services auxiliary to financial services", 
+  "sac_code": "997159"
+ }, 
+ {
+  "description": "Insurance brokerage and agency services", 
+  "sac_code": "997161"
+ }, 
+ {
+  "description": "Insurance claims adjustment services", 
+  "sac_code": "997162"
+ }, 
+ {
+  "description": "Actuarial services", 
+  "sac_code": "997163"
+ }, 
+ {
+  "description": "Pension fund management services", 
+  "sac_code": "997164"
+ }, 
+ {
+  "description": "Other services auxiliary to insurance and pensions ", 
+  "sac_code": "997169"
+ }, 
+ {
+  "description": "Services of holding equity of subsidiary companies", 
+  "sac_code": "997171"
+ }, 
+ {
+  "description": "Services of holding securities and other assets of trusts and funds and similar financial entities", 
+  "sac_code": "997172"
+ }, 
+ {
+  "description": "Real estate services", 
+  "sac_code": "9972"
+ }, 
+ {
+  "description": "Rental or leasing services involving own or leased residential property", 
+  "sac_code": "997211"
+ }, 
+ {
+  "description": "Rental or leasing services involving own or leased non-residential property", 
+  "sac_code": "997212"
+ }, 
+ {
+  "description": "Trade services of buildings", 
+  "sac_code": "997213"
+ }, 
+ {
+  "description": "Trade services of time-share properties", 
+  "sac_code": "997214"
+ }, 
+ {
+  "description": "Trade services of vacant and subdivided land", 
+  "sac_code": "997215"
+ }, 
+ {
+  "description": "Property management services on a fee/commission basis or contract basis", 
+  "sac_code": "997221"
+ }, 
+ {
+  "description": "Building sales on a fee/commission basis or contract basis", 
+  "sac_code": "997222"
+ }, 
+ {
+  "description": "Land sales on a fee/commission basis or contract basis", 
+  "sac_code": "997223"
+ }, 
+ {
+  "description": "Real estate appraisal services on a fee/commission basis or contract basis", 
+  "sac_code": "997224"
+ }, 
+ {
+  "description": "Leasing or rental services with or without operator", 
+  "sac_code": "9973"
+ }, 
+ {
+  "description": "Leasing or rental services concerning transport equipments including containers, with or without operator", 
+  "sac_code": "997311"
+ }, 
+ {
+  "description": "Leasing or rental services concerning agricultural machinery and equipment with or without operator", 
+  "sac_code": "997312"
+ }, 
+ {
+  "description": "Leasing or rental services concerning construction machinery and equipment with or without operator", 
+  "sac_code": "997313"
+ }, 
+ {
+  "description": "Leasing or rental services concerning office machinery and equipment (except computers) with or without operator", 
+  "sac_code": "997314"
+ }, 
+ {
+  "description": "Leasing or rental services concerning computers with or without operators", 
+  "sac_code": "997315"
+ }, 
+ {
+  "description": "Leasing or rental services concerning telecommunications equipment with or without operator", 
+  "sac_code": "997316"
+ }, 
+ {
+  "description": "Leasing or rental services concerning other machinery and equipments with or without operator", 
+  "sac_code": "997319"
+ }, 
+ {
+  "description": "Leasing or rental services concerning televisions, radios, video cassette recorders, projectors, audio systems and related equipment and accessories (Home entertainment equipment )", 
+  "sac_code": "997321"
+ }, 
+ {
+  "description": "Leasing or rental services concerning video tapes and disks (Home entertainment equipment )", 
+  "sac_code": "997322"
+ }, 
+ {
+  "description": "Leasing or rental services concerning furniture and other household appliances", 
+  "sac_code": "997323"
+ }, 
+ {
+  "description": "Leasing or rental services concerning pleasure and leisure equipment.", 
+  "sac_code": "997324"
+ }, 
+ {
+  "description": "Leasing or rental services concerning household linen.", 
+  "sac_code": "997325"
+ }, 
+ {
+  "description": "Leasing or rental services concerning textiles, clothing and footwear.", 
+  "sac_code": "997326"
+ }, 
+ {
+  "description": "Leasing or rental services concerning do-it-yourself machinery and equipment", 
+  "sac_code": "997327"
+ }, 
+ {
+  "description": "Leasing or rental services concerning other goods", 
+  "sac_code": "997329"
+ }, 
+ {
+  "description": "Licensing services for the right to use computer software and databases.", 
+  "sac_code": "997331"
+ }, 
+ {
+  "description": "Licensing services for the right to broadcast and show original films, sound recordings, radio and television programme etc.", 
+  "sac_code": "997332"
+ }, 
+ {
+  "description": "Licensing services for the right to reproduce original art works", 
+  "sac_code": "997333"
+ }, 
+ {
+  "description": "Licensing services for the right to reprint and copy manuscripts, books, journals and periodicals.", 
+  "sac_code": "997334"
+ }, 
+ {
+  "description": "Licensing services for the right to use R&D products", 
+  "sac_code": "997335"
+ }, 
+ {
+  "description": "Licensing services for the right to use trademarks and franchises", 
+  "sac_code": "997336"
+ }, 
+ {
+  "description": "Licensing services for the right to use minerals including its exploration and evaluation", 
+  "sac_code": "997337"
+ }, 
+ {
+  "description": "Licensing services for right to use other natural resources including telecommunication spectrum", 
+  "sac_code": "997338"
+ }, 
+ {
+  "description": "Licensing services for the right to use other intellectual property products and other rescources n.e.c", 
+  "sac_code": "997339"
+ }, 
+ {
+  "description": "Research and development services", 
+  "sac_code": "9981"
+ }, 
+ {
+  "description": "Research and experimental development services in natural sciences", 
+  "sac_code": "998111"
+ }, 
+ {
+  "description": "Research and experimental development services in engineering and technology", 
+  "sac_code": "998112"
+ }, 
+ {
+  "description": "Research and experimental development services in medical sciences and pharmacy.", 
+  "sac_code": "998113"
+ }, 
+ {
+  "description": "Research and experimental development services in agricultural sciences.", 
+  "sac_code": "998114"
+ }, 
+ {
+  "description": "Research and experimental development services in social sciences.", 
+  "sac_code": "998121"
+ }, 
+ {
+  "description": "Research and experimental development services in humanities", 
+  "sac_code": "998122"
+ }, 
+ {
+  "description": "Interdisciplinary research and experimental development services.", 
+  "sac_code": "998130"
+ }, 
+ {
+  "description": "Research and development originals in pharmaceuticals", 
+  "sac_code": "998141"
+ }, 
+ {
+  "description": "Research and development originals in agriculture", 
+  "sac_code": "998142"
+ }, 
+ {
+  "description": "Research and development originals in biotechnology", 
+  "sac_code": "998143"
+ }, 
+ {
+  "description": "Research and development originals in computer related sciences", 
+  "sac_code": "998144"
+ }, 
+ {
+  "description": "Research and development originals in other fields n.e.c.", 
+  "sac_code": "998145"
+ }, 
+ {
+  "description": "Legal and accounting services", 
+  "sac_code": "9982"
+ }, 
+ {
+  "description": "Legal advisory and representation services concerning criminal law.", 
+  "sac_code": "998211"
+ }, 
+ {
+  "description": "Legal advisory and representation services concerning other fields of law.", 
+  "sac_code": "998212"
+ }, 
+ {
+  "description": "Legal documentation and certification services concerning patents, copyrights and other intellectual property rights.", 
+  "sac_code": "998213"
+ }, 
+ {
+  "description": "Legal documentation and certification services concerning other documents.", 
+  "sac_code": "998214"
+ }, 
+ {
+  "description": "Arbitration and conciliation services", 
+  "sac_code": "998215"
+ }, 
+ {
+  "description": "Other legal services n.e.c.", 
+  "sac_code": "998216"
+ }, 
+ {
+  "description": "Financial auditing services", 
+  "sac_code": "998221"
+ }, 
+ {
+  "description": "Accounting and bookkeeping services", 
+  "sac_code": "998222"
+ }, 
+ {
+  "description": "Payroll services", 
+  "sac_code": "998223"
+ }, 
+ {
+  "description": "Other similar services n.e.c", 
+  "sac_code": "998224"
+ }, 
+ {
+  "description": "Corporate tax consulting and preparation services", 
+  "sac_code": "998231"
+ }, 
+ {
+  "description": "Individual tax preparation and planning services", 
+  "sac_code": "998232"
+ }, 
+ {
+  "description": "Insolvency and receivership services", 
+  "sac_code": "998240"
+ }, 
+ {
+  "description": "Other professional, technical and business services", 
+  "sac_code": "9983"
+ }, 
+ {
+  "description": "Management consulting and management services including financial, strategic, human resources, marketing, operations and supply chain management.", 
+  "sac_code": "998311"
+ }, 
+ {
+  "description": "Business consulting services including pubic relations services", 
+  "sac_code": "998312"
+ }, 
+ {
+  "description": "Information technology (IT) consulting and support services", 
+  "sac_code": "998313"
+ }, 
+ {
+  "description": "Information technology (IT) design and development services", 
+  "sac_code": "998314"
+ }, 
+ {
+  "description": "Hosting and information technology (IT) infrastructure provisioning services", 
+  "sac_code": "998315"
+ }, 
+ {
+  "description": "IT infrastructure and network management services", 
+  "sac_code": "998316"
+ }, 
+ {
+  "description": "Other information technology services n.e.c", 
+  "sac_code": "998319"
+ }, 
+ {
+  "description": "Architectural advisory services", 
+  "sac_code": "998321"
+ }, 
+ {
+  "description": "Architectural services for residential building projects", 
+  "sac_code": "998322"
+ }, 
+ {
+  "description": "Architectural services for non-residential building projects", 
+  "sac_code": "998323"
+ }, 
+ {
+  "description": "Historical restoration architectural services", 
+  "sac_code": "998324"
+ }, 
+ {
+  "description": "Urban planning services", 
+  "sac_code": "998325"
+ }, 
+ {
+  "description": "Rural land planning services", 
+  "sac_code": "998326"
+ }, 
+ {
+  "description": "Project site master planning services", 
+  "sac_code": "998327"
+ }, 
+ {
+  "description": "Landscape architectural services and advisory services", 
+  "sac_code": "998328"
+ }, 
+ {
+  "description": "Engineering advisory services", 
+  "sac_code": "998331"
+ }, 
+ {
+  "description": "Engineering services for building projects", 
+  "sac_code": "998332"
+ }, 
+ {
+  "description": "Engineering services for industrial and manufacturing projects", 
+  "sac_code": "998333"
+ }, 
+ {
+  "description": "Engineering services for transportation projects", 
+  "sac_code": "998334"
+ }, 
+ {
+  "description": "Engineering services for power projects", 
+  "sac_code": "998335"
+ }, 
+ {
+  "description": "Engineering services for telecommunications and broadcasting projects", 
+  "sac_code": "998336"
+ }, 
+ {
+  "description": "Engineering services for waste management projects (hazardous and non-hazardous), for water, sewerage and drainage projects.", 
+  "sac_code": "998337"
+ }, 
+ {
+  "description": "Engineering services for other projects n.e.c.", 
+  "sac_code": "998338"
+ }, 
+ {
+  "description": "Project management services for construction projects", 
+  "sac_code": "998339"
+ }, 
+ {
+  "description": "Geological and geophysical consulting services", 
+  "sac_code": "998341"
+ }, 
+ {
+  "description": "Subsurface surveying services", 
+  "sac_code": "998342"
+ }, 
+ {
+  "description": "Mineral exploration and evaluation", 
+  "sac_code": "998343"
+ }, 
+ {
+  "description": "Surface surveying and map-making services", 
+  "sac_code": "998344"
+ }, 
+ {
+  "description": "Weather forecasting and meteorological services", 
+  "sac_code": "998345"
+ }, 
+ {
+  "description": "Technical testing and analysis services", 
+  "sac_code": "998346"
+ }, 
+ {
+  "description": "Certification of ships, aircraft, dams, etc.", 
+  "sac_code": "998347"
+ }, 
+ {
+  "description": "Certification and authentication of works of art", 
+  "sac_code": "998348"
+ }, 
+ {
+  "description": "Other technical and scientific services n.e.c.", 
+  "sac_code": "998349"
+ }, 
+ {
+  "description": "Veterinary services for pet animals", 
+  "sac_code": "998351"
+ }, 
+ {
+  "description": "Veterinary services for livestock", 
+  "sac_code": "998352"
+ }, 
+ {
+  "description": "Other veterinary services n.e.c.", 
+  "sac_code": "998359"
+ }, 
+ {
+  "description": "Advertising Services", 
+  "sac_code": "998361"
+ }, 
+ {
+  "description": "Purchase or sale of advertising space or time, on commission", 
+  "sac_code": "998362"
+ }, 
+ {
+  "description": "Sale of advertising space in print media (except on commission)", 
+  "sac_code": "998363"
+ }, 
+ {
+  "description": "Sale of TV and radio advertising time", 
+  "sac_code": "998364"
+ }, 
+ {
+  "description": "Sale of Internet advertising space", 
+  "sac_code": "998365"
+ }, 
+ {
+  "description": "Sale of other advertising space or time (except on commission)", 
+  "sac_code": "998366"
+ }, 
+ {
+  "description": "Market research services", 
+  "sac_code": "998371"
+ }, 
+ {
+  "description": "Public opinion polling services", 
+  "sac_code": "998372"
+ }, 
+ {
+  "description": "Portrait photography services", 
+  "sac_code": "998381"
+ }, 
+ {
+  "description": "Advertising and related photography services", 
+  "sac_code": "998382"
+ }, 
+ {
+  "description": "Event photography and event videography services", 
+  "sac_code": "998383"
+ }, 
+ {
+  "description": "Specialty photography services", 
+  "sac_code": "998384"
+ }, 
+ {
+  "description": "Restoration and retouching services of photography", 
+  "sac_code": "998385"
+ }, 
+ {
+  "description": "Photographic & videographic processing services", 
+  "sac_code": "998386"
+ }, 
+ {
+  "description": "Other Photography & Videography and their processing services n.e.c.", 
+  "sac_code": "998387"
+ }, 
+ {
+  "description": "Specialty design services including interior design, fashion design, industrial design and other specialty design services", 
+  "sac_code": "998391"
+ }, 
+ {
+  "description": "Design originals", 
+  "sac_code": "998392"
+ }, 
+ {
+  "description": "Scientific and technical consulting services", 
+  "sac_code": "998393"
+ }, 
+ {
+  "description": "Original compilations of facts/information", 
+  "sac_code": "998394"
+ }, 
+ {
+  "description": "Translation and interpretation services", 
+  "sac_code": "998395"
+ }, 
+ {
+  "description": "Trademarks and franchises", 
+  "sac_code": "998396"
+ }, 
+ {
+  "description": "Sponsorship Services & Brand Promotion Services", 
+  "sac_code": "998397"
+ }, 
+ {
+  "description": "Other professional, technical and business services n.e.c.", 
+  "sac_code": "998399"
+ }, 
+ {
+  "description": "Telecommunications, broadcasting and information supply services", 
+  "sac_code": "9984"
+ }, 
+ {
+  "description": "Carrier services", 
+  "sac_code": "998411"
+ }, 
+ {
+  "description": "Fixed telephony services", 
+  "sac_code": "998412"
+ }, 
+ {
+  "description": "Mobile telecommunications services", 
+  "sac_code": "998413"
+ }, 
+ {
+  "description": "Private network services", 
+  "sac_code": "998414"
+ }, 
+ {
+  "description": "Data transmission services", 
+  "sac_code": "998415"
+ }, 
+ {
+  "description": "Other telecommunications services including Fax services, Telex services n.e.c.", 
+  "sac_code": "998419"
+ }, 
+ {
+  "description": "Internet backbone services", 
+  "sac_code": "998421"
+ }, 
+ {
+  "description": "Internet access services in wired and wireless mode.", 
+  "sac_code": "998422"
+ }, 
+ {
+  "description": "Fax, telephony over the Internet", 
+  "sac_code": "998423"
+ }, 
+ {
+  "description": "Audio conferencing and video conferencing over the Internet", 
+  "sac_code": "998424"
+ }, 
+ {
+  "description": "Other Internet telecommunications services n.e.c.", 
+  "sac_code": "998429"
+ }, 
+ {
+  "description": "On-line text based information such as online books, newpapers, periodicals, directories etc", 
+  "sac_code": "998431"
+ }, 
+ {
+  "description": "On-line audio content", 
+  "sac_code": "998432"
+ }, 
+ {
+  "description": "On-line video content", 
+  "sac_code": "998433"
+ }, 
+ {
+  "description": "Software downloads", 
+  "sac_code": "998434"
+ }, 
+ {
+  "description": "Other on-line contents n.e.c.", 
+  "sac_code": "998439"
+ }, 
+ {
+  "description": "News agency services to newspapers and periodicals", 
+  "sac_code": "998441"
+ }, 
+ {
+  "description": "Services of independent journalists and press photographers", 
+  "sac_code": "998442"
+ }, 
+ {
+  "description": "News agency services to audiovisual media", 
+  "sac_code": "998443"
+ }, 
+ {
+  "description": "Library services", 
+  "sac_code": "998451"
+ }, 
+ {
+  "description": "Operation services of public archives including digital archives", 
+  "sac_code": "998452"
+ }, 
+ {
+  "description": "Operation services of historical archives including digital archives", 
+  "sac_code": "998453"
+ }, 
+ {
+  "description": "Radio broadcast originals", 
+  "sac_code": "998461"
+ }, 
+ {
+  "description": "Television broadcast originals", 
+  "sac_code": "998462"
+ }, 
+ {
+  "description": "Radio channel programmes", 
+  "sac_code": "998463"
+ }, 
+ {
+  "description": "Television channel programmes", 
+  "sac_code": "998464"
+ }, 
+ {
+  "description": "Broadcasting services", 
+  "sac_code": "998465"
+ }, 
+ {
+  "description": "Home programme distribution services", 
+  "sac_code": "998466"
+ }, 
+ {
+  "description": "Support services", 
+  "sac_code": "9985"
+ }, 
+ {
+  "description": "Executive/retained personnel search services", 
+  "sac_code": "998511"
+ }, 
+ {
+  "description": "Permanent placement services, other than executive search services", 
+  "sac_code": "998512"
+ }, 
+ {
+  "description": "Contract staffing services", 
+  "sac_code": "998513"
+ }, 
+ {
+  "description": "Temporary staffing services", 
+  "sac_code": "998514"
+ }, 
+ {
+  "description": "Long-term staffing (pay rolling) services", 
+  "sac_code": "998515"
+ }, 
+ {
+  "description": "Temporary staffing-to-permanent placement services", 
+  "sac_code": "998516"
+ }, 
+ {
+  "description": "Co-employment staffing services", 
+  "sac_code": "998517"
+ }, 
+ {
+  "description": "Other employment & labour supply services n.e.c", 
+  "sac_code": "998519"
+ }, 
+ {
+  "description": "Investigation services", 
+  "sac_code": "998521"
+ }, 
+ {
+  "description": "Security consulting services", 
+  "sac_code": "998522"
+ }, 
+ {
+  "description": "Security systems services", 
+  "sac_code": "998523"
+ }, 
+ {
+  "description": "Armoured car services", 
+  "sac_code": "998524"
+ }, 
+ {
+  "description": "Guard services", 
+  "sac_code": "998525"
+ }, 
+ {
+  "description": "Training of guard dogs", 
+  "sac_code": "998526"
+ }, 
+ {
+  "description": "Polygraph services", 
+  "sac_code": "998527"
+ }, 
+ {
+  "description": "Fingerprinting services", 
+  "sac_code": "998528"
+ }, 
+ {
+  "description": "Other security services n.e.c.", 
+  "sac_code": "998529"
+ }, 
+ {
+  "description": "Disinfecting and exterminating services", 
+  "sac_code": "998531"
+ }, 
+ {
+  "description": "Window cleaning services", 
+  "sac_code": "998532"
+ }, 
+ {
+  "description": "General cleaning services", 
+  "sac_code": "998533"
+ }, 
+ {
+  "description": "Specialized cleaning services for reservoirs and tanks", 
+  "sac_code": "998534"
+ }, 
+ {
+  "description": "Sterilization of objects or premises (operating rooms)", 
+  "sac_code": "998535"
+ }, 
+ {
+  "description": "Furnace and chimney cleaning services", 
+  "sac_code": "998536"
+ }, 
+ {
+  "description": "Exterior cleaning of buildings of all types", 
+  "sac_code": "998537"
+ }, 
+ {
+  "description": "Cleaning of transportation equipment", 
+  "sac_code": "998538"
+ }, 
+ {
+  "description": "Other cleaning services n.e.c.", 
+  "sac_code": "998539"
+ }, 
+ {
+  "description": "Packaging services of goods for others", 
+  "sac_code": "998540"
+ }, 
+ {
+  "description": "Parcel packing and gift wrapping", 
+  "sac_code": "998541"
+ }, 
+ {
+  "description": "Coin and currency packing services", 
+  "sac_code": "998542"
+ }, 
+ {
+  "description": "Other packaging services n.e.c", 
+  "sac_code": "998549"
+ }, 
+ {
+  "description": "Reservation services for transportation", 
+  "sac_code": "998551"
+ }, 
+ {
+  "description": "Reservation services for accommodation, cruises and package tours", 
+  "sac_code": "998552"
+ }, 
+ {
+  "description": "Reservation services for convention centres, congress centres and exhibition halls", 
+  "sac_code": "998553"
+ }, 
+ {
+  "description": "Reservation services for event tickets, cinema halls, entertainment and recreational services and other reservation services", 
+  "sac_code": "998554"
+ }, 
+ {
+  "description": "Tour operator services", 
+  "sac_code": "998555"
+ }, 
+ {
+  "description": "Tourist guide services", 
+  "sac_code": "998556"
+ }, 
+ {
+  "description": "Tourism promotion and visitor information services", 
+  "sac_code": "998557"
+ }, 
+ {
+  "description": "Other travel arrangement and related services n.e.c", 
+  "sac_code": "998559"
+ }, 
+ {
+  "description": "Credit reporting & rating services", 
+  "sac_code": "998591"
+ }, 
+ {
+  "description": "Collection agency services", 
+  "sac_code": "998592"
+ }, 
+ {
+  "description": "Telephone-based support services", 
+  "sac_code": "998593"
+ }, 
+ {
+  "description": "Combined office administrative services", 
+  "sac_code": "998594"
+ }, 
+ {
+  "description": "Specialized office support services such as duplicating services, mailing services, document preparation etc", 
+  "sac_code": "998595"
+ }, 
+ {
+  "description": "Events, Exhibitions, Conventions and trade shows organisation and assistance services", 
+  "sac_code": "998596"
+ }, 
+ {
+  "description": "Landscape care and maintenance services", 
+  "sac_code": "998597"
+ }, 
+ {
+  "description": "Other information services n.e.c.", 
+  "sac_code": "998598"
+ }, 
+ {
+  "description": "Other support services n.e.c.", 
+  "sac_code": "998599"
+ }, 
+ {
+  "description": "Support services to agriculture, hunting, forestry, fishing, mining and utilities.", 
+  "sac_code": "9986"
+ }, 
+ {
+  "description": "Support services to crop production", 
+  "sac_code": "998611"
+ }, 
+ {
+  "description": "Animal husbandry services", 
+  "sac_code": "998612"
+ }, 
+ {
+  "description": "Support services to hunting", 
+  "sac_code": "998613"
+ }, 
+ {
+  "description": "Support services to forestry and logging", 
+  "sac_code": "998614"
+ }, 
+ {
+  "description": "Support services to fishing", 
+  "sac_code": "998615"
+ }, 
+ {
+  "description": "Other support services to agriculture, hunting, forestry and fishing", 
+  "sac_code": "998619"
+ }, 
+ {
+  "description": "Support services to oil and gas extraction", 
+  "sac_code": "998621"
+ }, 
+ {
+  "description": "Support services to other mining n.e.c.", 
+  "sac_code": "998622"
+ }, 
+ {
+  "description": "Support services to electricity transmission and distribution", 
+  "sac_code": "998631"
+ }, 
+ {
+  "description": "Support services to gas distribution", 
+  "sac_code": "998632"
+ }, 
+ {
+  "description": "Support services to water distribution", 
+  "sac_code": "998633"
+ }, 
+ {
+  "description": "Support services to Distribution services of steam, hot water and air-conditioning supply", 
+  "sac_code": "998634"
+ }, 
+ {
+  "description": "Maintenance, repair and installation (except construction) services", 
+  "sac_code": "9987"
+ }, 
+ {
+  "description": "Maintenance and repair services of fabricated metal products, except machinery and equipment.", 
+  "sac_code": "998711"
+ }, 
+ {
+  "description": "Maintenance and repair services of office and accounting machinery", 
+  "sac_code": "998712"
+ }, 
+ {
+  "description": "Maintenance and repair services of computers and peripheral equipment", 
+  "sac_code": "998713"
+ }, 
+ {
+  "description": "Maintenance and repair services of transport machinery and equipment", 
+  "sac_code": "998714"
+ }, 
+ {
+  "description": "Maintenance and repair services of electrical household appliances", 
+  "sac_code": "998715"
+ }, 
+ {
+  "description": "Maintenance and repair services of telecommunication equipments and apparatus", 
+  "sac_code": "998716"
+ }, 
+ {
+  "description": "Maintenance and repair services of commercial and industrial machinery.", 
+  "sac_code": "998717"
+ }, 
+ {
+  "description": "Maintenance and repair services of elevators and escalators", 
+  "sac_code": "998718"
+ }, 
+ {
+  "description": "Maintenance and repair services of other machinery and equipments", 
+  "sac_code": "998719"
+ }, 
+ {
+  "description": "Repair services of footwear and leather goods", 
+  "sac_code": "998721"
+ }, 
+ {
+  "description": "Repair services of watches, clocks and jewellery", 
+  "sac_code": "998722"
+ }, 
+ {
+  "description": "Repair services of garments and household textiles", 
+  "sac_code": "998723"
+ }, 
+ {
+  "description": "Repair services of furniture", 
+  "sac_code": "998724"
+ }, 
+ {
+  "description": "Repair services of bicycles", 
+  "sac_code": "998725"
+ }, 
+ {
+  "description": "Maintenance and repair services of musical instruments", 
+  "sac_code": "998726"
+ }, 
+ {
+  "description": "Repair services for photographic equipment and cameras", 
+  "sac_code": "998727"
+ }, 
+ {
+  "description": "Maintenance and repair services of other goods n.e.c.", 
+  "sac_code": "998729"
+ }, 
+ {
+  "description": "Installation services of fabricated metal products, except machinery and equipment.", 
+  "sac_code": "998731"
+ }, 
+ {
+  "description": "Installation services of industrial, manufacturing and service industry machinery and equipment.", 
+  "sac_code": "998732"
+ }, 
+ {
+  "description": "Installation services of office and accounting machinery and computers", 
+  "sac_code": "998733"
+ }, 
+ {
+  "description": "Installation services of radio, television and communications equipment and apparatus.", 
+  "sac_code": "998734"
+ }, 
+ {
+  "description": "Installation services of professional medical machinery and equipment, and precision and optical instruments.", 
+  "sac_code": "998735"
+ }, 
+ {
+  "description": "Installation services of electrical machinery and apparatus n.e.c.", 
+  "sac_code": "998736"
+ }, 
+ {
+  "description": "Installation services of other goods n.e.c.", 
+  "sac_code": "998739"
+ }, 
+ {
+  "description": "Manufacturing services on physical inputs (goods) owned by others", 
+  "sac_code": "9988"
+ }, 
+ {
+  "description": "Meat processing services", 
+  "sac_code": "998811"
+ }, 
+ {
+  "description": "Fish processing services", 
+  "sac_code": "998812"
+ }, 
+ {
+  "description": "Fruit and vegetables processing services", 
+  "sac_code": "998813"
+ }, 
+ {
+  "description": "Vegetable and animal oil and fat manufacturing services", 
+  "sac_code": "998814"
+ }, 
+ {
+  "description": "Dairy product manufacturing services", 
+  "sac_code": "998815"
+ }, 
+ {
+  "description": "Other food product manufacturing services", 
+  "sac_code": "998816"
+ }, 
+ {
+  "description": "Prepared animal feeds manufacturing services", 
+  "sac_code": "998817"
+ }, 
+ {
+  "description": "Beverage manufacturing services", 
+  "sac_code": "998818"
+ }, 
+ {
+  "description": "Tobacco manufacturing services n.e.c.", 
+  "sac_code": "998819"
+ }, 
+ {
+  "description": "Textile manufacturing services", 
+  "sac_code": "998821"
+ }, 
+ {
+  "description": "Wearing apparel manufacturing services", 
+  "sac_code": "998822"
+ }, 
+ {
+  "description": "Leather and leather product manufacturing services", 
+  "sac_code": "998823"
+ }, 
+ {
+  "description": "Wood and wood product manufacturing services", 
+  "sac_code": "998831"
+ }, 
+ {
+  "description": "Paper and paper product manufacturing services", 
+  "sac_code": "998832"
+ }, 
+ {
+  "description": "Coke and refined petroleum product manufacturing services", 
+  "sac_code": "998841"
+ }, 
+ {
+  "description": "Chemical product manufacturing services", 
+  "sac_code": "998842"
+ }, 
+ {
+  "description": "Pharmaceutical product manufacturing services", 
+  "sac_code": "998843"
+ }, 
+ {
+  "description": "Rubber and plastic product manufacturing services", 
+  "sac_code": "998851"
+ }, 
+ {
+  "description": "Plastic product manufacturing services", 
+  "sac_code": "998852"
+ }, 
+ {
+  "description": "Other non-metallic mineral product manufacturing services", 
+  "sac_code": "998853"
+ }, 
+ {
+  "description": "Basic metal manufacturing services", 
+  "sac_code": "998860"
+ }, 
+ {
+  "description": "Structural metal product, tank, reservoir and steam generator manufacturing services", 
+  "sac_code": "998871"
+ }, 
+ {
+  "description": "Weapon and ammunition manufacturing services", 
+  "sac_code": "998872"
+ }, 
+ {
+  "description": "Other fabricated metal product manufacturing and metal treatment services", 
+  "sac_code": "998873"
+ }, 
+ {
+  "description": "Computer, electronic and optical product manufacturing services", 
+  "sac_code": "998874"
+ }, 
+ {
+  "description": "Electrical equipment manufacturing services", 
+  "sac_code": "998875"
+ }, 
+ {
+  "description": "General-purpose machinery manufacturing services n.e.c.", 
+  "sac_code": "998876"
+ }, 
+ {
+  "description": "Special-purpose machinery manufacturing services", 
+  "sac_code": "998877"
+ }, 
+ {
+  "description": "Motor vehicle and trailer manufacturing services", 
+  "sac_code": "998881"
+ }, 
+ {
+  "description": "Other transport equipment manufacturing services", 
+  "sac_code": "998882"
+ }, 
+ {
+  "description": "Furniture manufacturing services", 
+  "sac_code": "998891"
+ }, 
+ {
+  "description": "Jewellery manufacturing services", 
+  "sac_code": "998892"
+ }, 
+ {
+  "description": "Imitation jewellery manufacturing services", 
+  "sac_code": "998893"
+ }, 
+ {
+  "description": "Musical instrument manufacturing services", 
+  "sac_code": "998894"
+ }, 
+ {
+  "description": "Sports goods manufacturing services", 
+  "sac_code": "998895"
+ }, 
+ {
+  "description": "Game and toy manufacturing services", 
+  "sac_code": "998896"
+ }, 
+ {
+  "description": "Medical and dental instrument and supply manufacturing services", 
+  "sac_code": "998897"
+ }, 
+ {
+  "description": "Other manufacturing services n.e.c.", 
+  "sac_code": "998898"
+ }, 
+ {
+  "description": "Other manufacturing services; publishing, printing and reproduction services; materials recovery services", 
+  "sac_code": "9989"
+ }, 
+ {
+  "description": "Publishing, on a fee or contract basis", 
+  "sac_code": "998911"
+ }, 
+ {
+  "description": "Printing and reproduction services of recorded media, on a fee or contract basis", 
+  "sac_code": "998912"
+ }, 
+ {
+  "description": "Moulding, pressing, stamping, extruding and similar plastic manufacturing services", 
+  "sac_code": "998920"
+ }, 
+ {
+  "description": "Iron and steel casting services", 
+  "sac_code": "998931"
+ }, 
+ {
+  "description": "Non-ferrous metal casting services", 
+  "sac_code": "998932"
+ }, 
+ {
+  "description": "Metal forging, pressing, stamping, roll forming and powder metallurgy services", 
+  "sac_code": "998933"
+ }, 
+ {
+  "description": "Metal waste and scrap recovery (recycling) services, on a fee or contract basis", 
+  "sac_code": "998941"
+ }, 
+ {
+  "description": "Non-metal waste and scrap recovery (recycling) services, on a fee or contract basis", 
+  "sac_code": "998942"
+ }, 
+ {
+  "description": "Public administration and other services provided to the community as a whole; compulsory social security services", 
+  "sac_code": "9991"
+ }, 
+ {
+  "description": "Overall Government public services", 
+  "sac_code": "999111"
+ }, 
+ {
+  "description": "Public administrative services related to the provision of educational, health care, cultural and other social services, excluding social security service.", 
+  "sac_code": "999112"
+ }, 
+ {
+  "description": "Public administrative services related to the more efficient operation of business.", 
+  "sac_code": "999113"
+ }, 
+ {
+  "description": "Other administrative services of the government n.e.c.", 
+  "sac_code": "999119"
+ }, 
+ {
+  "description": "Public administrative services related to external affairs, diplomatic and consular services abroad.", 
+  "sac_code": "999121"
+ }, 
+ {
+  "description": "Services related to foreign economic aid", 
+  "sac_code": "999122"
+ }, 
+ {
+  "description": "Services related to foreign military aid", 
+  "sac_code": "999123"
+ }, 
+ {
+  "description": "Military defence services", 
+  "sac_code": "999124"
+ }, 
+ {
+  "description": "Civil defence services", 
+  "sac_code": "999125"
+ }, 
+ {
+  "description": "Police and fire protection services", 
+  "sac_code": "999126"
+ }, 
+ {
+  "description": "Public administrative services related to law courts", 
+  "sac_code": "999127"
+ }, 
+ {
+  "description": "Administrative services related to the detention or rehabilitation of criminals.", 
+  "sac_code": "999128"
+ }, 
+ {
+  "description": "Public administrative services related to other public order and safety affairs n.e.c.", 
+  "sac_code": "999129"
+ }, 
+ {
+  "description": "Administrative services related to sickness, maternity or temporary disablement benefit schemes.", 
+  "sac_code": "999131"
+ }, 
+ {
+  "description": "Administrative services related to government employee pension schemes; old-age disability or survivors' benefit schemes, other than for government employees", 
+  "sac_code": "999132"
+ }, 
+ {
+  "description": "Administrative services related to unemployment compensation benefit schemes", 
+  "sac_code": "999133"
+ }, 
+ {
+  "description": "Administrative services related to family and child allowance programmes", 
+  "sac_code": "999134"
+ }, 
+ {
+  "description": "Education services", 
+  "sac_code": "9992"
+ }, 
+ {
+  "description": "Pre-primary education services", 
+  "sac_code": "999210"
+ }, 
+ {
+  "description": "Primary education services", 
+  "sac_code": "999220"
+ }, 
+ {
+  "description": "Secondary education services, general", 
+  "sac_code": "999231"
+ }, 
+ {
+  "description": "Secondary education services, technical and vocational.", 
+  "sac_code": "999232"
+ }, 
+ {
+  "description": "Higher education services, general", 
+  "sac_code": "999241"
+ }, 
+ {
+  "description": "Higher education services, technical", 
+  "sac_code": "999242"
+ }, 
+ {
+  "description": "Higher education services, vocational", 
+  "sac_code": "999243"
+ }, 
+ {
+  "description": "Other higher education services", 
+  "sac_code": "999249"
+ }, 
+ {
+  "description": "Specialised education services ", 
+  "sac_code": "999259"
+ }, 
+ {
+  "description": "Cultural education services", 
+  "sac_code": "999291"
+ }, 
+ {
+  "description": "Sports and recreation education services", 
+  "sac_code": "999292"
+ }, 
+ {
+  "description": "Commercial training and coaching services", 
+  "sac_code": "999293"
+ }, 
+ {
+  "description": "Other education and training services n.e.c.", 
+  "sac_code": "999294"
+ }, 
+ {
+  "description": "services involving conduct of examination for admission to educational institutions", 
+  "sac_code": "999295"
+ }, 
+ {
+  "description": "Other Educational support services", 
+  "sac_code": "999299"
+ }, 
+ {
+  "description": "Human health and social care services", 
+  "sac_code": "9993"
+ }, 
+ {
+  "description": "Inpatient services", 
+  "sac_code": "999311"
+ }, 
+ {
+  "description": "Medical and dental services", 
+  "sac_code": "999312"
+ }, 
+ {
+  "description": "Childbirth and related services", 
+  "sac_code": "999313"
+ }, 
+ {
+  "description": "Nursing and Physiotherapeutic services", 
+  "sac_code": "999314"
+ }, 
+ {
+  "description": "Ambulance services", 
+  "sac_code": "999315"
+ }, 
+ {
+  "description": "Medical Laboratory and Diagnostic-imaging services", 
+  "sac_code": "999316"
+ }, 
+ {
+  "description": "Blood, sperm and organ bank services", 
+  "sac_code": "999317"
+ }, 
+ {
+  "description": "Other human health services including homeopathy, unani, ayurveda, naturopathy, acupuncture etc.", 
+  "sac_code": "999319"
+ }, 
+ {
+  "description": "Residential health-care services other than by hospitals", 
+  "sac_code": "999321"
+ }, 
+ {
+  "description": "Residential care services for the elderly and persons with disabilities", 
+  "sac_code": "999322"
+ }, 
+ {
+  "description": "Residential care services for children suffering from mental retardation, mental health illnesses or substance abuse", 
+  "sac_code": "999331"
+ }, 
+ {
+  "description": "Other social services with accommodation for children", 
+  "sac_code": "999332"
+ }, 
+ {
+  "description": "Residential care services for adults suffering from mental retardation, mental health illnesses or substance abuse", 
+  "sac_code": "999333"
+ }, 
+ {
+  "description": "Other social services with accommodation for adults", 
+  "sac_code": "999334"
+ }, 
+ {
+  "description": "Vocational rehabilitation services", 
+  "sac_code": "999341"
+ }, 
+ {
+  "description": "Other social services without accommodation for the elderly and disabled n.e.c.", 
+  "sac_code": "999349"
+ }, 
+ {
+  "description": "Child day-care services", 
+  "sac_code": "999351"
+ }, 
+ {
+  "description": "Guidance and counseling services n.e.c. related to children", 
+  "sac_code": "999352"
+ }, 
+ {
+  "description": "Welfare services without accommodation", 
+  "sac_code": "999353"
+ }, 
+ {
+  "description": "Other social services without accommodation n.e.c.", 
+  "sac_code": "999359"
+ }, 
+ {
+  "description": "Sewage and waste collection, treatment and disposal and other environmental protection services", 
+  "sac_code": "9994"
+ }, 
+ {
+  "description": "Sewerage and sewage treatment services", 
+  "sac_code": "999411"
+ }, 
+ {
+  "description": "Septic tank emptying and cleaning services", 
+  "sac_code": "999412"
+ }, 
+ {
+  "description": "Collection services of hazardous waste", 
+  "sac_code": "999421"
+ }, 
+ {
+  "description": "Collection services of non-hazardous recyclable materials", 
+  "sac_code": "999422"
+ }, 
+ {
+  "description": "General waste collection services, residential", 
+  "sac_code": "999423"
+ }, 
+ {
+  "description": "General waste collection services, other n.e.c.", 
+  "sac_code": "999424"
+ }, 
+ {
+  "description": "Waste preparation, consolidation and storage services", 
+  "sac_code": "999431"
+ }, 
+ {
+  "description": "Hazardous waste treatment and disposal services", 
+  "sac_code": "999432"
+ }, 
+ {
+  "description": "Non-hazardous waste treatment and disposal services", 
+  "sac_code": "999433"
+ }, 
+ {
+  "description": "Site remediation and clean-up services", 
+  "sac_code": "999441"
+ }, 
+ {
+  "description": "Containment, control and monitoring services and other site remediation services", 
+  "sac_code": "999442"
+ }, 
+ {
+  "description": "Building remediation services", 
+  "sac_code": "999443"
+ }, 
+ {
+  "description": "Other remediation services n.e.c.", 
+  "sac_code": "999449"
+ }, 
+ {
+  "description": "Sweeping and snow removal services", 
+  "sac_code": "999451"
+ }, 
+ {
+  "description": "Other sanitation services n.e.c.", 
+  "sac_code": "999459"
+ }, 
+ {
+  "description": "Other environmental protection services n.e.c.", 
+  "sac_code": "999490"
+ }, 
+ {
+  "description": "Services of membership organizations", 
+  "sac_code": "9995"
+ }, 
+ {
+  "description": "Services furnished by business and employers organizations", 
+  "sac_code": "999511"
+ }, 
+ {
+  "description": "Services furnished by professional organizations", 
+  "sac_code": "999512"
+ }, 
+ {
+  "description": "Services furnished by trade unions", 
+  "sac_code": "999520"
+ }, 
+ {
+  "description": "Religious services", 
+  "sac_code": "999591"
+ }, 
+ {
+  "description": "Services furnished by political organizations", 
+  "sac_code": "999592"
+ }, 
+ {
+  "description": "Services furnished by human rights organizations", 
+  "sac_code": "999593"
+ }, 
+ {
+  "description": "Cultural and recreational associations", 
+  "sac_code": "999594"
+ }, 
+ {
+  "description": "Services furnished by environmental advocacy groups", 
+  "sac_code": "999595"
+ }, 
+ {
+  "description": "Services provided by youth associations", 
+  "sac_code": "999596"
+ }, 
+ {
+  "description": "Other civic and social organizations", 
+  "sac_code": "999597"
+ }, 
+ {
+  "description": "Home owners associations", 
+  "sac_code": "999598"
+ }, 
+ {
+  "description": "Services provided by other membership organizations n.e.c.", 
+  "sac_code": "999599"
+ }, 
+ {
+  "description": "Recreational, cultural and sporting services", 
+  "sac_code": "9996"
+ }, 
+ {
+  "description": "Sound recording services", 
+  "sac_code": "999611"
+ }, 
+ {
+  "description": "Motion picture, videotape, television and radio programme production services", 
+  "sac_code": "999612"
+ }, 
+ {
+  "description": "Audiovisual post-production services", 
+  "sac_code": "999613"
+ }, 
+ {
+  "description": "Motion picture, videotape and television programme distribution services", 
+  "sac_code": "999614"
+ }, 
+ {
+  "description": "Motion picture projection services", 
+  "sac_code": "999615"
+ }, 
+ {
+  "description": "Performing arts event promotion and organization services", 
+  "sac_code": "999621"
+ }, 
+ {
+  "description": "Performing arts event production and presentation services", 
+  "sac_code": "999622"
+ }, 
+ {
+  "description": "Performing arts facility operation services", 
+  "sac_code": "999623"
+ }, 
+ {
+  "description": "Other performing arts and live entertainment services n.e.c.", 
+  "sac_code": "999629"
+ }, 
+ {
+  "description": "Services of performing artists including actors, readers, musicians, singers, dancers, TV personalities, independent models etc", 
+  "sac_code": "999631"
+ }, 
+ {
+  "description": "Services of authors, composers, sculptors and other artists, except performing artists", 
+  "sac_code": "999632"
+ }, 
+ {
+  "description": "Original works of authors, composers and other artists except performing artists, painters and sculptors", 
+  "sac_code": "999633"
+ }, 
+ {
+  "description": "Museum and preservation services of historical sites and buildings", 
+  "sac_code": "999641"
+ }, 
+ {
+  "description": "Botanical, zoological and nature reserve services", 
+  "sac_code": "999642"
+ }, 
+ {
+  "description": "Sports and recreational sports event promotion and organization services", 
+  "sac_code": "999651"
+ }, 
+ {
+  "description": "Sports and recreational sports facility operation services", 
+  "sac_code": "999652"
+ }, 
+ {
+  "description": "Other sports and recreational sports services n.e.c.", 
+  "sac_code": "999659"
+ }, 
+ {
+  "description": "Services of athletes", 
+  "sac_code": "999661"
+ }, 
+ {
+  "description": "Support services related to sports and recreation", 
+  "sac_code": "999662"
+ }, 
+ {
+  "description": "Amusement park and similar attraction services", 
+  "sac_code": "999691"
+ }, 
+ {
+  "description": "Gambling and betting services including similar online services", 
+  "sac_code": "999692"
+ }, 
+ {
+  "description": "Coin-operated amusement machine services", 
+  "sac_code": "999693"
+ }, 
+ {
+  "description": "Lottery services", 
+  "sac_code": "999694"
+ }, 
+ {
+  "description": "Other recreation and amusement services n.e.c.", 
+  "sac_code": "999699"
+ }, 
+ {
+  "description": "Other services", 
+  "sac_code": "9997"
+ }, 
+ {
+  "description": "Coin-operated laundry services", 
+  "sac_code": "999711"
+ }, 
+ {
+  "description": "Dry-cleaning services (including fur product cleaning services)", 
+  "sac_code": "999712"
+ }, 
+ {
+  "description": "Other textile cleaning services", 
+  "sac_code": "999713"
+ }, 
+ {
+  "description": "Pressing services", 
+  "sac_code": "999714"
+ }, 
+ {
+  "description": "Dyeing and colouring services", 
+  "sac_code": "999715"
+ }, 
+ {
+  "description": "Other washing, cleaning and dyeing services n.e.c", 
+  "sac_code": "999719"
+ }, 
+ {
+  "description": "Hairdressing and barbers services", 
+  "sac_code": "999721"
+ }, 
+ {
+  "description": "Cosmetic treatment (including cosmetic/plastic surgery), manicuring and pedicuring services", 
+  "sac_code": "999722"
+ }, 
+ {
+  "description": "Physical well-being services including health club & fitness centre", 
+  "sac_code": "999723"
+ }, 
+ {
+  "description": "Other beauty treatment services n.e.c.", 
+  "sac_code": "999729"
+ }, 
+ {
+  "description": "Cemeteries and cremation services", 
+  "sac_code": "999731"
+ }, 
+ {
+  "description": "Undertaking services", 
+  "sac_code": "999732"
+ }, 
+ {
+  "description": "Services involving commercial use or exploitation of any event", 
+  "sac_code": "999791"
+ }, 
+ {
+  "description": "Agreeing to do an act", 
+  "sac_code": "999792"
+ }, 
+ {
+  "description": "Agreeing to refrain from doing an act", 
+  "sac_code": "999793"
+ }, 
+ {
+  "description": "Agreeing to tolerate an act", 
+  "sac_code": "999794"
+ }, 
+ {
+  "description": "Conduct of religious ceremonies/rituals by persons", 
+  "sac_code": "999795"
+ }, 
+ {
+  "description": "Other services n.e.c.", 
+  "sac_code": "999799"
+ }, 
+ {
+  "description": "Domestic services", 
+  "sac_code": "9998"
+ }, 
+ {
+  "description": "Domestic services both part time & full time", 
+  "sac_code": "999800"
+ }, 
+ {
+  "description": "Services provided by extraterritorial organizations and bodies.", 
+  "sac_code": "9999"
+ }, 
+ {
+  "description": "Services provided by extraterritorial organizations and bodies", 
+  "sac_code": "999900"
+ }
+]
\ No newline at end of file
diff --git a/erpnext/regional/india/setup.py b/erpnext/regional/india/setup.py
index 93aea0dfcc..c35ff0a6f0 100644
--- a/erpnext/regional/india/setup.py
+++ b/erpnext/regional/india/setup.py
@@ -12,10 +12,10 @@ def setup(company=None, patch=True):
 	make_custom_fields()
 	add_permissions()
 	add_custom_roles_for_reports()
-	add_hsn_codes()
-	update_address_template()
+	add_hsn_sac_codes()
 	add_print_formats()
 	if not patch:
+		update_address_template()
 		make_fixtures()
 
 def update_address_template():
@@ -33,21 +33,26 @@ def update_address_template():
 			template=html
 		)).insert()
 
-def add_hsn_codes():
-	if frappe.db.count('GST HSN Code') > 100:
-		return
-
+def add_hsn_sac_codes():
+	# HSN codes
 	with open(os.path.join(os.path.dirname(__file__), 'hsn_code_data.json'), 'r') as f:
 		hsn_codes = json.loads(f.read())
 
-	frappe.db.commit()
-	frappe.db.sql('truncate `tabGST HSN Code`')
-
-	for d in hsn_codes:
-		hsn_code = frappe.new_doc('GST HSN Code')
-		hsn_code.update(d)
-		hsn_code.name = hsn_code.hsn_code
-		hsn_code.db_insert()
+	create_hsn_codes(hsn_codes, code_field="hsn_code")
+	
+	# SAC Codes
+	with open(os.path.join(os.path.dirname(__file__), 'sac_code_data.json'), 'r') as f:
+		sac_codes = json.loads(f.read())
+	create_hsn_codes(sac_codes, code_field="sac_code")
+	
+def create_hsn_codes(data, code_field):
+	for d in data:
+		if not frappe.db.exists("GST HSN Code", d[code_field]):
+			hsn_code = frappe.new_doc('GST HSN Code')
+			hsn_code.description = d["description"]
+			hsn_code.hsn_code = d[code_field]
+			hsn_code.name = d[code_field]
+			hsn_code.db_insert()
 
 	frappe.db.commit()
 
@@ -119,7 +124,13 @@ def make_custom_fields():
 
 	for doctype, fields in custom_fields.items():
 		for df in fields:
-			create_custom_field(doctype, df)
+			field = frappe.db.get_value("Custom Field", {"dt": doctype, "fieldname": df["fieldname"]})
+			if not field:
+				create_custom_field(doctype, df)
+			else:
+				custom_field = frappe.get_doc("Custom Field", field)
+				custom_field.update(df)
+				custom_field.save()
 			
 def make_fixtures():
 	docs = [
diff --git a/erpnext/schools/doctype/assessment_plan/assessment_plan.js b/erpnext/schools/doctype/assessment_plan/assessment_plan.js
index fa4b500718..be628b83c3 100644
--- a/erpnext/schools/doctype/assessment_plan/assessment_plan.js
+++ b/erpnext/schools/doctype/assessment_plan/assessment_plan.js
@@ -4,6 +4,7 @@
 cur_frm.add_fetch("student_group", "course", "course");
 cur_frm.add_fetch("examiner", "instructor_name", "examiner_name");
 cur_frm.add_fetch("supervisor", "instructor_name", "supervisor_name");
+cur_frm.add_fetch("course", "default_grading_scale", "grading_scale");
 
 frappe.ui.form.on("Assessment Plan", {
     onload: function(frm) {
diff --git a/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py
index b5a2fc1f07..98c04195b1 100644
--- a/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py
+++ b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py
@@ -4,9 +4,14 @@
 from __future__ import unicode_literals
 import frappe
 from frappe import _
+from frappe.utils import flt
 from collections import defaultdict
+from erpnext.schools.api import get_grade
+
 
 def execute(filters=None):
+	data = []
+
 	args = frappe._dict()
 	args["assessment_group"] = filters.get("assessment_group")
 	if args["assessment_group"] == "All Assessment Groups":
@@ -14,65 +19,112 @@ def execute(filters=None):
 
 	args["course"] = filters.get("course")
 	args["student_group"] = filters.get("student_group")
-	if args["student_group"]:
-		cond = "and ap.student_group=%(student_group)s"
-	else:
-		cond = ''
 
-	# find all assessment plan linked with the filters provided
-	assessment_plan = frappe.db.sql('''
-		select
-			ap.name, ap.student_group, apc.assessment_criteria, apc.maximum_score as max_score
-		from
-			`tabAssessment Plan` ap, `tabAssessment Plan Criteria` apc
-		where
-			ap.assessment_group=%(assessment_group)s and ap.course=%(course)s and
-			ap.name=apc.parent and ap.docstatus=1 {0}
-		order by
-			apc.assessment_criteria'''.format(cond), (args), as_dict=1)
 
-	assessment_plan_list = set([d["name"] for d in assessment_plan])
-	if not assessment_plan_list:
-		frappe.throw(_("No assessment plan linked with this assessment group"))
-
-	student_group_list = set([d["student_group"] for d in assessment_plan])
-	assessment_result = frappe.db.sql('''select ar.student, ard.assessment_criteria, ard.grade, ard.score
-		from `tabAssessment Result` ar, `tabAssessment Result Detail` ard
-		where ar.assessment_plan in (%s) and ar.name=ard.parent and ar.docstatus=1
-		order by ard.assessment_criteria''' %', '.join(['%s']*len(assessment_plan_list)),
-		tuple(assessment_plan_list), as_dict=1)
-
-	result_dict = defaultdict(dict)
-	kounter = defaultdict(dict)
-	for result in assessment_result:
-		result_dict[result.student].update({frappe.scrub(result.assessment_criteria): result.grade,
-			frappe.scrub(result.assessment_criteria)+"_score": result.score})
-		if result.grade in kounter[result.assessment_criteria]:
-			kounter[result.assessment_criteria][result.grade] += 1
+	# find all assessment plan and related details linked with the given filters
+	def get_assessment_details():
+		if args["student_group"]:
+			cond = "and ap.student_group=%(student_group)s"
 		else:
-			kounter[result.assessment_criteria].update({result.grade: 1})
+			cond = ''
 
-	student_list = frappe.db.sql('''select sgs.student, sgs.student_name
-		from `tabStudent Group` sg, `tabStudent Group Student` sgs
-		where sg.name = sgs.parent and sg.name in (%s)
-		order by sgs.group_roll_number asc''' %', '.join(['%s']*len(student_group_list)),
-		tuple(student_group_list), as_dict=1)
+		assessment_plan = frappe.db.sql('''
+			select
+				ap.name, ap.student_group, ap.grading_scale, apc.assessment_criteria, apc.maximum_score as max_score
+			from
+				`tabAssessment Plan` ap, `tabAssessment Plan Criteria` apc
+			where
+				ap.assessment_group=%(assessment_group)s and ap.course=%(course)s and
+				ap.name=apc.parent and ap.docstatus=1 {0}
+			order by
+				apc.assessment_criteria'''.format(cond), (args), as_dict=1)
 
-	for student in student_list:
-		student.update(result_dict[student.student])
-	data = student_list
+		assessment_plan_list = list(set([d["name"] for d in assessment_plan]))
+		if not assessment_plan_list:
+			frappe.throw(_("No assessment plan linked with this assessment group"))
 
-	columns = get_column(list(set([(d["assessment_criteria"],d["max_score"]) for d in assessment_plan])))
+		assessment_criteria_list = list(set([(d["assessment_criteria"],d["max_score"]) for d in assessment_plan]))
+		student_group_list = list(set([d["student_group"] for d in assessment_plan]))
+		total_maximum_score = flt(sum([flt(d[1]) for d in assessment_criteria_list]))
+		grading_scale = assessment_plan[0]["grading_scale"]
 
-	grading_scale = frappe.db.get_value("Assessment Plan", list(assessment_plan_list)[0], "grading_scale")
-	grades = frappe.db.sql_list('''select grade_code from `tabGrading Scale Interval` where parent=%s''',
-		(grading_scale))
-	assessment_criteria_list = list(set([d["assessment_criteria"] for d in assessment_plan]))
-	chart = get_chart_data(grades, assessment_criteria_list, kounter)
+		return assessment_plan_list, assessment_criteria_list, total_maximum_score, grading_scale, student_group_list
+
+
+	# get all the result and make a dict map student as the key and value as dict of result
+	def get_result_map():
+		result_dict = defaultdict(dict)
+		kounter = defaultdict(dict)
+		assessment_result = frappe.db.sql('''select ar.student, ard.assessment_criteria, ard.grade, ard.score
+			from `tabAssessment Result` ar, `tabAssessment Result Detail` ard
+			where ar.assessment_plan in (%s) and ar.name=ard.parent and ar.docstatus=1
+			order by ard.assessment_criteria''' %', '.join(['%s']*len(assessment_plan_list)),
+			tuple(assessment_plan_list), as_dict=1, debug=True)
+
+		for result in assessment_result:
+			if "total_score" in result_dict[result.student]:
+				total_score = result_dict[result.student]["total_score"] + result.score
+			else:
+				total_score = result.score
+			total = get_grade(grading_scale, (total_score/total_maximum_score)*100)
+
+			if result.grade in kounter[result.assessment_criteria]:
+				kounter[result.assessment_criteria][result.grade] += 1
+			else:
+				kounter[result.assessment_criteria].update({result.grade: 1})
+
+			if "Total" not in kounter:
+				kounter["Total"] = {}
+
+			if "total" in result_dict[result.student]:
+				prev_grade = result_dict[result.student]["total"]
+				prev_grade_count = kounter["Total"].get(prev_grade) - 1
+				kounter["Total"].update({prev_grade: prev_grade_count})
+			latest_grade_count = kounter["Total"].get(total)+1 if kounter["Total"].get(total) else 1
+			kounter["Total"].update({total: latest_grade_count})
+
+			result_dict[result.student].update({
+					frappe.scrub(result.assessment_criteria): result.grade,
+					frappe.scrub(result.assessment_criteria)+"_score": result.score,
+					"total_score": total_score,
+					"total": total
+				})
+
+		return result_dict, kounter
+
+	# make data from the result dict
+	def get_data():
+		student_list = frappe.db.sql('''select sgs.student, sgs.student_name
+			from `tabStudent Group` sg, `tabStudent Group Student` sgs
+			where sg.name = sgs.parent and sg.name in (%s)
+			order by sgs.group_roll_number asc''' %', '.join(['%s']*len(student_group_list)),
+			tuple(student_group_list), as_dict=1)
+
+		for student in student_list:
+			student.update(result_dict[student.student])
+		return student_list
+
+
+	# get chart data
+	def get_chart():
+		grading_scale = frappe.db.get_value("Assessment Plan", list(assessment_plan_list)[0], "grading_scale")
+		grades = frappe.db.sql_list('''select grade_code from `tabGrading Scale Interval` where parent=%s''',
+			(grading_scale))
+		criteria_list = [d[0] for d in assessment_criteria_list] + ["Total"]
+		return get_chart_data(grades, criteria_list, kounter)
+
+
+	assessment_plan_list, assessment_criteria_list, total_maximum_score, grading_scale,\
+		student_group_list = get_assessment_details()
+	result_dict, kounter = get_result_map()
+	data = get_data()
+
+	columns = get_column(assessment_criteria_list, total_maximum_score)
+	chart = get_chart()
 
 	return columns, data, None, chart
 
-def get_column(assessment_criteria):
+def get_column(assessment_criteria, total_maximum_score):
 	columns = [{
 		"fieldname": "student",
 		"label": _("Student ID"),
@@ -99,6 +151,20 @@ def get_column(assessment_criteria):
 			"fieldtype": "Float",
 			"width": 100
 		})
+
+	columns += [{
+		"fieldname": "total",
+		"label": "Total",
+		"fieldtype": "Data",
+		"width": 100
+	},
+	{
+		"fieldname": "total_score",
+		"label": "Total Score("+ str(int(total_maximum_score)) + ")",
+		"fieldtype": "Float",
+		"width": 110
+	}]
+
 	return columns
 
 def get_chart_data(grades, assessment_criteria_list, kounter):
diff --git a/erpnext/selling/doctype/customer/customer.py b/erpnext/selling/doctype/customer/customer.py
index 3b9d6756fc..d797632902 100644
--- a/erpnext/selling/doctype/customer/customer.py
+++ b/erpnext/selling/doctype/customer/customer.py
@@ -9,7 +9,7 @@ import frappe.defaults
 from frappe.utils import flt, cint, cstr
 from frappe.desk.reportview import build_match_conditions
 from erpnext.utilities.transaction_base import TransactionBase
-from erpnext.accounts.party import validate_party_accounts, get_dashboard_info # keep this
+from erpnext.accounts.party import validate_party_accounts, get_dashboard_info, get_timeline_data # keep this
 from frappe.contacts.address_and_contact import load_address_and_contact, delete_contact_and_address
 
 class Customer(TransactionBase):
diff --git a/erpnext/selling/doctype/sales_order/sales_order.py b/erpnext/selling/doctype/sales_order/sales_order.py
index ccaa07c194..4333fd846b 100644
--- a/erpnext/selling/doctype/sales_order/sales_order.py
+++ b/erpnext/selling/doctype/sales_order/sales_order.py
@@ -7,11 +7,12 @@ import json
 import frappe.utils
 from frappe.utils import cstr, flt, getdate, comma_and, cint
 from frappe import _
+from frappe.model.utils import get_fetch_values
 from frappe.model.mapper import get_mapped_doc
 from erpnext.stock.stock_balance import update_bin_qty, get_reserved_qty
 from frappe.desk.notifications import clear_doctype_notifications
 from erpnext.controllers.recurring_document import month_map, get_next_date
-
+from frappe.contacts.doctype.address.address import get_company_address
 from erpnext.controllers.selling_controller import SellingController
 
 form_grid_templates = {
@@ -504,6 +505,11 @@ def make_sales_invoice(source_name, target_doc=None, ignore_permissions=False):
 		target.run_method("set_missing_values")
 		target.run_method("calculate_taxes_and_totals")
 
+		# set company address
+		target.update(get_company_address(target.company))
+		if target.company_address:
+			target.update(get_fetch_values("Sales Invoice", 'company_address', target.company_address))
+
 	def update_item(source, target, source_parent):
 		target.amount = flt(source.amount) - flt(source.billed_amt)
 		target.base_amount = target.amount * flt(source_parent.conversion_rate)
diff --git a/erpnext/stock/doctype/delivery_note/delivery_note.py b/erpnext/stock/doctype/delivery_note/delivery_note.py
index 7523409950..5c5f0f8b6a 100644
--- a/erpnext/stock/doctype/delivery_note/delivery_note.py
+++ b/erpnext/stock/doctype/delivery_note/delivery_note.py
@@ -8,10 +8,12 @@ from frappe.utils import flt, cint
 
 from frappe import msgprint, _
 import frappe.defaults
+from frappe.model.utils import get_fetch_values
 from frappe.model.mapper import get_mapped_doc
 from erpnext.controllers.selling_controller import SellingController
 from frappe.desk.notifications import clear_doctype_notifications
 from erpnext.stock.doctype.batch.batch import set_batch_nos
+from frappe.contacts.doctype.address.address import get_company_address
 
 form_grid_templates = {
 	"items": "templates/form_grid/item_grid.html"
@@ -371,7 +373,7 @@ def get_invoiced_qty_map(delivery_note):
 def make_sales_invoice(source_name, target_doc=None):
 	invoiced_qty_map = get_invoiced_qty_map(source_name)
 
-	def update_accounts(source, target):
+	def set_missing_values(source, target):
 		target.is_pos = 0
 		target.ignore_pricing_rule = 1
 		target.run_method("set_missing_values")
@@ -381,6 +383,11 @@ def make_sales_invoice(source_name, target_doc=None):
 
 		target.run_method("calculate_taxes_and_totals")
 
+		# set company address
+		target.update(get_company_address(target.company))
+		if target.company_address:
+			target.update(get_fetch_values("Sales Invoice", 'company_address', target.company_address))	
+
 	def update_item(source_doc, target_doc, source_parent):
 		target_doc.qty = source_doc.qty - invoiced_qty_map.get(source_doc.name, 0)
 
@@ -415,7 +422,7 @@ def make_sales_invoice(source_name, target_doc=None):
 			},
 			"add_if_empty": True
 		}
-	}, target_doc, update_accounts)
+	}, target_doc, set_missing_values)
 
 	return doc
 
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.js b/erpnext/stock/doctype/stock_entry/stock_entry.js
index c9a76aa4a2..1214346a53 100644
--- a/erpnext/stock/doctype/stock_entry/stock_entry.js
+++ b/erpnext/stock/doctype/stock_entry/stock_entry.js
@@ -340,10 +340,15 @@ erpnext.stock.StockEntry = erpnext.stock.StockController.extend({
 	production_order: function() {
 		var me = this;
 		this.toggle_enable_bom();
+		if(!me.frm.doc.production_order) {
+			return;
+		}
 
 		return frappe.call({
 			method: "erpnext.stock.doctype.stock_entry.stock_entry.get_production_order_details",
-			args: {production_order: me.frm.doc.production_order},
+			args: {
+				production_order: me.frm.doc.production_order
+			},
 			callback: function(r) {
 				if (!r.exc) {
 					$.each(["from_bom", "bom_no", "fg_completed_qty", "use_multi_level_bom"], function(i, field) {
diff --git a/erpnext/support/doctype/issue/issue.py b/erpnext/support/doctype/issue/issue.py
index 8a0be85214..ab73b3427d 100644
--- a/erpnext/support/doctype/issue/issue.py
+++ b/erpnext/support/doctype/issue/issue.py
@@ -90,7 +90,9 @@ def auto_close_tickets():
 	for issue in issues:
 		doc = frappe.get_doc("Issue", issue.get("name"))
 		doc.status = "Closed"
-		doc.save(ignore_permissions=True)
+		doc.flags.ignore_permissions = True
+		doc.flags.ignore_mandatory = True
+		doc.save()
 
 @frappe.whitelist()
 def set_multiple_status(names, status):
diff --git a/erpnext/templates/print_formats/includes/taxes.html b/erpnext/templates/print_formats/includes/taxes.html
index b0bd1d4b5b..b180c1c923 100644
--- a/erpnext/templates/print_formats/includes/taxes.html
+++ b/erpnext/templates/print_formats/includes/taxes.html
@@ -17,7 +17,7 @@
 			{{ render_discount_amount(doc) }}
 		{%- endif -%}
 		{%- for charge in data -%}
-			{%- if not charge.included_in_print_rate -%}
+			{%- if charge.tax_amount and not charge.included_in_print_rate -%}
 			
diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv index 80b1d2f4e5..61cd337e31 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","አቁሟል የምርት ትዕዛዝ ሊሰረዝ አይችልም, ለመሰረዝ መጀመሪያ Unstop" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,ይምረጡ ነባሪ አቅራቢ @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1} +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 +808,Invoice,የዋጋ ዝርዝር DocType: Maintenance Schedule Item,Periodicity,PERIODICITY apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,በጀት ዓመት {0} ያስፈልጋል @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,ገና በሂደት ላይ ያለ ስራ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ቀን ይምረጡ DocType: Employee,Holiday List,የበዓል ዝርዝር -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ሒሳብ ሠራተኛ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,ሒሳብ ሠራተኛ DocType: Cost Center,Stock User,የአክሲዮን ተጠቃሚ DocType: Company,Phone No,ስልክ የለም apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,እርግጥ ነው መርሐግብሮች ተፈጥሯል: @@ -110,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 +269,Kg,ኪግ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ኪግ DocType: Student Log,Log,ምዝግብ ማስታወሻ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,የሥራ ዕድል። DocType: Item Attribute,Increment,ጨምር @@ -120,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 +42,Not permitted for {0},አይፈቀድም {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ከ ንጥሎችን ያግኙ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,ንጥሎች አልተገኘም +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,የሽያጭ ደረሰኝ ንጥል @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,የክምችት ሪፖር DocType: Warehouse,Warehouse Detail,የመጋዘን ዝርዝር apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},የክሬዲት ገደብ ደንበኛ ተሻገሩ ተደርጓል {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",የንብረት ዘገባ ንጥል ላይ አለ እንደ ካልተደረገበት ሊሆን አይችልም "ቋሚ ንብረት ነው" +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/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,አንድ የደንበኛ በተመሳሳይ ስም አለ @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ከ {0} ወደ {1} DocType: Item,Copy From Item Group,ንጥል ቡድን ከ ቅዳ DocType: Journal Entry,Opening Entry,በመክፈት ላይ የሚመዘገብ መረጃ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,የደንበኛ> የደንበኛ ቡድን> ግዛት apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,መለያ ክፍያ ብቻ DocType: Employee Loan,Repay Over Number of Periods,ጊዜዎች በላይ ቁጥር ብድራትን DocType: Stock Entry,Additional Costs,ተጨማሪ ወጪዎች @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,መጠነሰፊ የቤት ግንባታ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,መለያ መግለጫ +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,ፋርማሱቲካልስ DocType: Purchase Invoice Item,Is Fixed Asset,ቋሚ ንብረት ነው apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",ይገኛል ብዛት {0}: የሚያስፈልግህ ነው {1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ከላይ መስፈርቶች ላይ የተመሠረቱ አይነት ማምረት በቁሳዊ ረገድ ጥያቄ ይጎትቱ @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ምሳሌ: መሰረታዊ የሂሳብ ትምህርት +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/config/hr.py +214,Settings for HR Module,የሰው ሀይል ሞዱል ቅንብሮች DocType: SMS Center,SMS Center,ኤስ ኤም ኤስ ማዕከል @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ንጥሎች እና የዋጋ አሰጣጥ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},ጠቅላላ ሰዓት: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},ቀን ጀምሮ በ የበጀት ዓመት ውስጥ መሆን አለበት. ቀን ጀምሮ ከወሰድን = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,ጥቅሶች DocType: Customer,Individual,የግለሰብ DocType: Interest,Academics User,ምሑራንን ተጠቃሚ DocType: Cheque Print Template,Amount In Figure,ስእል ውስጥ የገንዘብ መጠን @@ -264,7 +265,7 @@ DocType: Employee,Create User,ተጠቃሚ ይፍጠሩ DocType: Selling Settings,Default Territory,ነባሪ ግዛት apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ቴሌቪዥን DocType: Production Order Operation,Updated via 'Time Log',«ጊዜ Log" በኩል Updated -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1} DocType: Naming Series,Series List for this Transaction,ለዚህ ግብይት ተከታታይ ዝርዝር DocType: Company,Enable Perpetual Inventory,ለተመራ ቆጠራ አንቃ DocType: Company,Default Payroll Payable Account,ነባሪ የደመወዝ ክፍያ የሚከፈል መለያ @@ -272,7 +273,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 +177,For Warehouse is required before Submit,መጋዘን አስገባ በፊት ያስፈልጋል +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.","ከተመረጠ, ቁሳዊ ጥያቄዎች ውስጥ ያልሆኑ-የአክሲዮን ንጥሎች ያካትታል." @@ -280,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 +2256,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,የዕውቂያ ስም +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 የደንበኛ ቡድን @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,ቀን የሚያስታግሱ በመቀላቀል ቀን የበለጠ መሆን አለበት 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 +189,Warehouse {0} does not belong to company {1},{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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ውጣ የታገዱ -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ባንክ ግቤቶችን apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ዓመታዊ DocType: Stock Reconciliation Item,Stock Reconciliation Item,የክምችት ማስታረቅ ንጥል @@ -314,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 +316,People who teach at your organisation,በእርስዎ ድርጅት ውስጥ የሚያስተምሩ ሰዎች +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,የስራ ልምድ ትዕዛዝ ብዛት @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,ተጠቃሚ ተመን አርትዕ DocType: Item,Publish in Hub,ማዕከል ውስጥ አትም DocType: Student Admission,Student Admission,የተማሪ ምዝገባ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} ንጥል ተሰርዟል +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} ንጥል ተሰርዟል apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ቁሳዊ ጥያቄ DocType: Bank Reconciliation,Update Clearance Date,አዘምን መልቀቂያ ቀን DocType: Item,Purchase Details,የግዢ ዝርዝሮች @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,መርከቦች ሥራ አስኪያጅ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,ክብ ማጣቀሻ ስህተት @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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 ተቀይሯል. እንደገና ጎትተው እባክህ. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ንጥል ግብር ውስጥ ሁለት ጊዜ ገብቶ +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ንጥል ግብር ውስጥ ሁለት ጊዜ ገብቶ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,በዚህ ሳምንት እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ DocType: Student Applicant,Admitted,አምኗል DocType: Workstation,Rent Cost,የቤት ኪራይ ወጪ @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ደርሷል apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,የተማሪ ቡድኖች ይፍጠሩ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ማዋቀር አስቀድሞ ሙሉ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,የብድር ማስታወሻ መጠን +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,የብድር ማስታወሻ መጠን ,Finished Goods,ጨርሷል ምርቶች DocType: Delivery Note,Instructions,መመሪያዎች DocType: Quality Inspection,Inspected By,በ ለመመርመር @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ማዋቀር ቁጥር ተከታታይ> Setup በኩል ክትትል ተከታታይ ቁጥር እባክዎ apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,የግዢ ትዕዛዞች ፍጠር ,Purchase Register,የግዢ ይመዝገቡ DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 መመሪያ ያንብቡ @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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,ላይ የተላከ -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,አይነታ {0} አይነታዎች ሠንጠረዥ ውስጥ በርካታ ጊዜ ተመርጠዋል +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,አይነታ {0} አይነታዎች ሠንጠረዥ ውስጥ በርካታ ጊዜ ተመርጠዋል DocType: HR Settings,Employee record is created using selected field. ,የተቀጣሪ መዝገብ የተመረጠው መስክ በመጠቀም የተፈጠረ ነው. DocType: Sales Order,Not Applicable,ተፈፃሚ የማይሆን apps/erpnext/erpnext/config/hr.py +70,Holiday master.,የበዓል ጌታ. @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,የቁስ ጥያቄ ይነሣል ለዚህም መጋዘን ያስገቡ DocType: Production Order,Additional Operating Cost,ተጨማሪ ስርዓተ ወጪ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,መዋቢያዎች -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ማዋሃድ, የሚከተሉትን ንብረቶች ሁለቱም ንጥሎች ጋር ተመሳሳይ መሆን አለበት" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","ማዋሃድ, የሚከተሉትን ንብረቶች ሁለቱም ንጥሎች ጋር ተመሳሳይ መሆን አለበት" DocType: Shipping Rule,Net Weight,የተጣራ ክብደት DocType: Employee,Emergency Phone,የአደጋ ጊዜ ስልክ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ግዛ @@ -546,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 +2428,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ አርትዕ ግብሮች እና ክፍያዎች ያክሉ DocType: Purchase Invoice,Supplier Invoice No,አቅራቢ ደረሰኝ የለም DocType: Territory,For reference,ለማጣቀሻ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",መሰረዝ አይቻልም መለያ የለም {0}: ይህ የአክሲዮን ግብይቶች ላይ የዋለው እንደ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",መሰረዝ አይቻልም መለያ የለም {0}: ይህ የአክሲዮን ግብይቶች ላይ የዋለው እንደ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),የመመዝገቢያ ጊዜ (CR) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,አንቀሳቅስ ንጥል DocType: Serial No,Warranty Period (Days),የዋስትና ክፍለ ጊዜ (ቀኖች) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,በመጀመሪያ ኩባንያ እና የፓርቲ አይነት ይምረጡ apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ሲጠራቀሙ እሴቶች -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ይቅርታ, ተከታታይ ቁጥሮች ሊዋሃዱ አይችሉም" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","ይቅርታ, ተከታታይ ቁጥሮች ሊዋሃዱ አይችሉም" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,የሽያጭ ትዕዛዝ አድርግ DocType: Project Task,Project Task,ፕሮጀክት ተግባር ,Lead Id,ቀዳሚ መታወቂያ @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,አካፈለ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,የሽያጭ ተመለስ 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,ማስታወሻ: ጠቅላላ የተመደበ ቅጠሎች {0} አስቀድሞ ተቀባይነት ቅጠሎች ያነሰ መሆን የለበትም {1} ወደ ጊዜ +,Total Stock Summary,ጠቅላላ የአክሲዮን ማጠቃለያ DocType: Announcement,Posted By,በ ተለጥፏል DocType: Item,Delivered by Supplier (Drop Ship),አቅራቢው ደርሷል (ጣል መርከብ) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,የወደፊት ደንበኞች ውሂብ ጎታ. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,የደንበኛ DocType: Quotation,Quotation To,ወደ ጥቅስ DocType: Lead,Middle Income,የመካከለኛ ገቢ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),በመክፈት ላይ (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,እናንተ አስቀድሞ ከሌላ UOM አንዳንድ ግብይት (ዎች) ምክንያቱም ንጥል ለ ይለኩ ነባሪ ክፍል {0} በቀጥታ ሊቀየር አይችልም. የተለየ ነባሪ UOM ለመጠቀም አዲስ ንጥል መፍጠር አለብዎት. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,እናንተ አስቀድሞ ከሌላ UOM አንዳንድ ግብይት (ዎች) ምክንያቱም ንጥል ለ ይለኩ ነባሪ ክፍል {0} በቀጥታ ሊቀየር አይችልም. የተለየ ነባሪ UOM ለመጠቀም አዲስ ንጥል መፍጠር አለብዎት. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,የተመደበ መጠን አሉታዊ መሆን አይችልም apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ካምፓኒው ማዘጋጀት እባክዎ DocType: Purchase Order Item,Billed Amt,የሚከፈል Amt @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ጌቶች DocType: Assessment Plan,Maximum Assessment Score,ከፍተኛ ግምገማ ውጤት apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,አዘምን ባንክ የግብይት ቀኖች apps/erpnext/erpnext/config/projects.py +30,Time Tracking,የጊዜ ትራኪንግ +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,አጓጓዥ የተባዙ DocType: Fiscal Year Company,Fiscal Year Company,በጀት ዓመት ኩባንያ DocType: Packing Slip Item,DN Detail,DN ዝርዝር DocType: Training Event,Conference,ጉባኤ @@ -674,8 +678,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 +320,Timesheet created:,Timesheet ተፈጥሯል: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ይመዝገቡ DocType: GST Settings,GST Settings,GST ቅንብሮች DocType: Selling Settings,Customer Naming By,በ የደንበኛ አሰያየም @@ -704,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 +139,Finish,ጪረሰ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,ጪረሰ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,መሠረት DocType: Timesheet,Total Billed Hours,ጠቅላላ የሚከፈል ሰዓቶች DocType: Journal Entry,Write Off Amount,መጠን ጠፍቷል ይጻፉ @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,ሻጭ ከተማ ,Absent Student Report,ብርቅ የተማሪ ሪፖርት DocType: Email Digest,Next email will be sent on:,ቀጣይ ኢሜይል ላይ ይላካል: DocType: Offer Letter Term,Offer Letter Term,ደብዳቤ የሚቆይበት ጊዜ ሊያቀርብ -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ንጥል ተለዋጮች አለው. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,ንጥል ተለዋጮች አለው. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ንጥል {0} አልተገኘም DocType: Bin,Stock Value,የክምችት እሴት apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ኩባንያ {0} የለም @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","በርካታ ዋጋ ደንቦች ተመሳሳይ መስፈርት ጋር አለ, ቅድሚያ ሰጥቷቸዋል ግጭት ለመፍታት ይሞክሩ. ዋጋ: ሕጎች: {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,አቦዝን ወይም ሌሎች 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 +48,Make Timesheet,Timesheet አድርግ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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,የቤተሰብ ዳራ DocType: Request for Quotation Supplier,Send Email,ኢሜይል ይላኩ -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ማስጠንቀቂያ: ልክ ያልሆነ አባሪ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ምንም ፍቃድ +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},ማስጠንቀቂያ: ልክ ያልሆነ አባሪ {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,ምንም ፍቃድ 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 +269,Nos,ቁጥሮች +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} መቅረብ አለበት @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,ክምችት መቀነስ በመክፈት ላይ @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},ተከታታይ አይ {0} ንጥል የእርሱ ወገን አይደለም {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},ተከታታይ አይ {0} ንጥል የእርሱ ወገን አይደለም {1} DocType: Purchase Receipt Item Supplied,Required Qty,ያስፈልጋል ብዛት apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,አሁን ያሉ ግብይት ጋር መጋዘኖችን የመቁጠር ወደ ሊቀየር አይችልም. DocType: Bank Reconciliation,Total Amount,አጠቃላይ ድምሩ @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,ክፍሎች apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ንጥል ውስጥ የንብረት ምድብ ያስገቡ {0} DocType: Quality Inspection Reading,Reading 6,6 ማንበብ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,አይደለም {0} {1} {2} ያለ ማንኛውም አሉታዊ ግሩም መጠየቂያ ማድረግ ይችላል +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,አይደለም {0} {1} {2} ያለ ማንኛውም አሉታዊ ግሩም መጠየቂያ ማድረግ ይችላል 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} @@ -978,12 +982,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 +731,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች DocType: Payment Request,Paid,የሚከፈልበት DocType: Program Fee,Program Fee,ፕሮግራም ክፍያ DocType: Salary Slip,Total in words,ቃላት ውስጥ አጠቃላይ @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ኬሚካል DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ይህ ሁነታ በሚመረጥ ጊዜ ነባሪ ባንክ / በጥሬ ገንዘብ መለያ በራስ-ሰር ደመወዝ ጆርናል የሚመዘገብ ውስጥ ይዘምናል. DocType: BOM,Raw Material Cost(Company Currency),ጥሬ ሐሳብ ወጪ (የኩባንያ የምንዛሬ) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ሁሉም ንጥሎች አስቀድሞ በዚህ የምርት ትዕዛዝ ለ ተላልፈዋል. +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 +270,Meter,መቁጠሪያ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,መቁጠሪያ DocType: Workstation,Electricity Cost,ኤሌክትሪክ ወጪ DocType: HR Settings,Don't send Employee Birthday Reminders,የተቀጣሪ የልደት አስታዋሾች አትላክ DocType: Item,Inspection Criteria,የምርመራ መስፈርት @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,ቀሪ የብድር መጠን @@ -1048,7 +1052,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 +259,Qty for {0},ለ ብዛት {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,አግድ ዝርዝር ቀኖች ውጣ @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,በጥሬ ገንዘብ / የባን apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ይጥቀሱ እባክዎ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ብዛት ወይም ዋጋ ላይ ምንም ለውጥ ጋር የተወገዱ ንጥሎች. DocType: Delivery Note,Delivery To,ወደ መላኪያ -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,አይነታ ሠንጠረዥ የግዴታ ነው +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,አይነታ ሠንጠረዥ የግዴታ ነው DocType: Production Planning Tool,Get Sales Orders,የሽያጭ ትዕዛዞች ያግኙ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} አሉታዊ መሆን አይችልም +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} አሉታዊ መሆን አይችልም apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,የዋጋ ቅናሽ DocType: Asset,Total Number of Depreciations,Depreciations አጠቃላይ ብዛት DocType: Sales Invoice Item,Rate With Margin,ኅዳግ ጋር ፍጥነት @@ -1098,7 +1102,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 +1546,ZIP Code,አካባቢያዊ መለያ ቁጥር +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,የክምችት ግቤቶችን ማድረግ @@ -1116,7 +1120,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,የእርስዎ አቅራቢዎች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,አከፋፋይ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ወደ ግዢ ሳጥን ጨመር መላኪያ ደንብ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,የምርት ትዕዛዝ {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',ለማዘጋጀት 'ላይ ተጨማሪ ቅናሽ ተግብር' እባክህ +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,ክልል ያነሰ መሆን አለበት ከ ይልቅ ወደ ክልል DocType: Global Defaults,Global Defaults,ዓለም አቀፍ ነባሪዎች @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN የመጀመሪያው 2 አሃዞች ስቴት ቁጥር ጋር መዛመድ አለበት {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,የአቅም ዕቅድ ስህተት +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,የአቅም ዕቅድ ስህተት ,Trial Balance for Party,ፓርቲው በችሎት ባላንስ DocType: Lead,Consultant,አማካሪ DocType: Salary Slip,Earnings,ገቢዎች @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,መመለሻ ነው apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,ተመለስ / ዴቢት ማስታወሻ DocType: Price List Country,Price List Country,የዋጋ ዝርዝር አገር DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} ንጥል ትክክለኛ ተከታታይ ቁጥሮች {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} ንጥል ትክክለኛ ተከታታይ ቁጥሮች {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,ንጥል ኮድ መለያ ቁጥር ሊቀየር አይችልም apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS መገለጫ {0} አስቀድሞ ተጠቃሚ ተፈጥሯል: {1} እና ኩባንያ {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM ልወጣ መንስኤ @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ','ንጥል ኮድ ጋር ንጥል ለማግኘት ማዕከል ያስከፍላል -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","ተጨማሪ መለያዎች ቡድኖች ስር ሊሆን ይችላል, ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል" @@ -1221,7 +1225,7 @@ 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,ይመልከቱ የሒሳብ መዝገብ DocType: Grading Scale,Intervals,ክፍተቶች apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,የጥንቶቹ -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","አንድ ንጥል ቡድን በተመሳሳይ ስም አለ, ወደ ንጥል ስም መቀየር ወይም ንጥል ቡድን ዳግም መሰየም እባክዎ" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,የ ንጥል {0} ባች ሊኖረው አይችልም @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት DocType: Purchase Invoice,Rejected Warehouse,ውድቅ መጋዘን DocType: GL Entry,Against Voucher,ቫውቸር ላይ DocType: Item,Default Buying Cost Center,ነባሪ መግዛትና ወጪ ማዕከል @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,የሽያጭ ትዕዛዝ {0} ልክ ያልሆነ ነው +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ችግር ስፍራ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ስምምነት DocType: Email Digest,Add Quote,Quote አክል -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM ያስፈልጋል UOM coversion ምክንያት: {0} ንጥል ውስጥ: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM ያስፈልጋል UOM coversion ምክንያት: {0} ንጥል ውስጥ: {1} 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 +736,Sync Master Data,አመሳስል መምህር ውሂብ -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች +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,የእርስዎ ምርቶች ወይም አገልግሎቶች DocType: Mode of Payment,Mode of Payment,የክፍያ ሁነታ -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት DocType: Student Applicant,AP,የ AP DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ይህ ሥር ንጥል ቡድን ነው እና አርትዕ ሊደረግ አይችልም. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","የዋጋ ደ መጀመሪያ ላይ በመመስረት ነው ንጥል, ንጥል ቡድን ወይም የምርት ስም ሊሆን ይችላል, ይህም መስክ ላይ ተግብር. '" 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 መሆን አለበት -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},የምርት ትዕዛዝ ሁኔታ ነው {0} DocType: Appraisal Goal,Goal,ግብ DocType: Sales Invoice Item,Edit Description,አርትዕ መግለጫ ,Team Updates,ቡድን ዝማኔዎች @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,የልጅ መጋዘን ይህን መጋዘን የለም. ይህን መጋዘን መሰረዝ አይችሉም. DocType: Item,Website Item Groups,የድር ጣቢያ ንጥል ቡድኖች DocType: Purchase Invoice,Total (Company Currency),ጠቅላላ (የኩባንያ የምንዛሬ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} መለያ ቁጥር ከአንድ ጊዜ በላይ ገባ +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 +78,{0} items in progress,በሂደት ላይ {0} ንጥሎች +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,ይህ የዚህ ቅጥያ ጋር የመጨረሻ የፈጠረው የግብይት ቁጥር ነው @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,የማስነሻ 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,7 +1405,7 @@ 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 +260,Max: {0},ከፍተኛ: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,ኮሙኒኬሽን መዝገብ. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,የሚላክበት አድራሻ ስ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,መለያዎች ገበታ DocType: Material Request,Terms and Conditions Content,ውል እና ሁኔታዎች ይዘት apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,የበለጠ ከ 100 በላይ ሊሆን አይችልም -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} ንጥል ከአክሲዮን ንጥል አይደለም +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} ንጥል ከአክሲዮን ንጥል አይደለም DocType: Maintenance Visit,Unscheduled,E ሶችን DocType: Employee,Owned,ባለቤትነት የተያዘ DocType: Salary Detail,Depends on Leave Without Pay,ይክፈሉ ያለ ፈቃድ ላይ የተመካ ነው @@ -1444,7 +1446,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 +273,We buy this Item,ይህ ንጥል ለመግዛት +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,ያልተዘጋ በጀት ዓመት አ & ኤል ሚዛን አሳይ @@ -1455,7 +1457,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 +266,Sub Assemblies,ንዑስ ትላልቅ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ንዑስ ትላልቅ DocType: Asset,Asset Name,የንብረት ስም DocType: Project,Task Weight,ተግባር ክብደት DocType: Shipping Rule Condition,To Value,እሴት ወደ @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ምንጭ 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 +239,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,በክፍያ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ይህን {0} ግጭቶች {1} ለ {2} {3} DocType: Student Attendance Tool,Students HTML,ተማሪዎች ኤችቲኤምኤል DocType: POS Profile,Apply Discount,ቅናሽ ተግብር -DocType: Purchase Invoice Item,GST HSN Code,GST HSN ኮድ +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 +283,Packing Slip(s) cancelled,ተሰርዟል ማሸጊያ የማያፈስ (ዎች) @@ -1536,8 +1538,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 +2573,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ሳጥን +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 +873,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,ተቀባይ ዝርዝር ባዶ ነው. ተቀባይ ዝርዝር ይፍጠሩ @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,ብድር መክፈል ስልት DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ከተመረጠ, መነሻ ገጽ ድር ነባሪ ንጥል ቡድን ይሆናል" DocType: Quality Inspection Reading,Reading 4,4 ማንበብ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} ፕሮጀክት አልተገኘም ነባሪ BOM {1} 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,አዲስ ተግ apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ትዕምርተ አድርግ apps/erpnext/erpnext/config/selling.py +216,Other Reports,ሌሎች ሪፖርቶች DocType: Dependent Task,Dependent Task,ጥገኛ ተግባር -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},የመለኪያ ነባሪ ክፍል ለ ልወጣ ምክንያቶች ረድፍ ውስጥ 1 መሆን አለበት {0} +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 ቀኖች ለ ቀዶ ዕቅድ ይሞክሩ. 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} DocType: SMS Center,Receiver List,ተቀባይ ዝርዝር -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,የፍለጋ ንጥል +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ቀድሞውኑ ተጠናቋል +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/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 +263,Quantity must not be more than {0},ብዛት የበለጠ መሆን አለበት {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 መታወቂያ DocType: Account,Account Name,የአድራሻ ስም apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ቀን ቀን ወደ በላይ ሊሆን አይችልም ከ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,ተከታታይ አይ {0} ብዛት {1} ክፍልፋይ ሊሆን አይችልም +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,ተከታታይ አይ {0} ብዛት {1} ክፍልፋይ ሊሆን አይችልም apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,አቅራቢው አይነት ጌታቸው. 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 መሆን አይችልም @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,የተሽከርካሪ አስወገደ ቀን +DocType: Purchase Order Item,HSN/SAC,HSN / ከረጢት apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} ማቅረብ አይደለም DocType: Company,Default Payable Account,ነባሪ ተከፋይ መለያ apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","እንደ የመላኪያ ደንቦች, የዋጋ ዝርዝር ወዘተ እንደ በመስመር ላይ ግዢ ጋሪ ቅንብሮች" @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,ቅጠሎች እን DocType: Sales Invoice,Packed Items,የታሸጉ ንጥሎች apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,መለያ ቁጥር ላይ የዋስትና የይገባኛል ጥያቄ DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ጥቅም ነው ስፍራ ሁሉ በሌሎች BOMs ውስጥ አንድ የተወሰነ BOM ተካ. ይህ, አሮጌውን BOM አገናኝ መተካት ወጪ ማዘመን እና አዲስ BOM መሰረት "BOM ፍንዳታ ንጥል" ሰንጠረዥ እናመነጫቸዋለን" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ጠቅላላ' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','ጠቅላላ' DocType: Shopping Cart Settings,Enable Shopping Cart,ወደ ግዢ ሳጥን ጨመር አንቃ DocType: Employee,Permanent Address,ቀዋሚ አድራሻ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ DocType: Material Request,Transferred,ተላልፈዋል DocType: Vehicle,Doors,በሮች apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,አንድ የደንበኛ ቡድን በተመሳሳይ ስም አለ ያለውን የደንበኛ ስም መቀየር ወይም የደንበኛ ቡድን ዳግም መሰየም እባክዎ @@ -1720,7 +1723,7 @@ 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 +699,Offline,ከመስመር ውጭ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,ሥራ አመልካች @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ዋና apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ተለዋጭ DocType: Naming Series,Set prefix for numbering series on your transactions,በእርስዎ ግብይቶች ላይ ተከታታይ ቁጥር አዘጋጅ ቅድመ ቅጥያ DocType: Employee Attendance Tool,Employees HTML,ተቀጣሪዎች ኤችቲኤምኤል -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት DocType: Employee,Leave Encashed?,Encashed ይውጡ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,መስክ ከ አጋጣሚ የግዴታ ነው DocType: Email Digest,Annual Expenses,ዓመታዊ ወጪዎች @@ -1749,7 +1752,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 +175,Work-in-Progress Warehouse is required before Submit,የስራ-በ-እድገት መጋዘን አስገባ በፊት ያስፈልጋል +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,የእርስዎ አቅራቢው ስለ ህጋዊ መረጃ እና ሌሎች አጠቃላይ መረጃ @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,ተከታታይ ቁጥሮች እና ቡድ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,የተማሪ ቡድን ጥንካሬ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ጆርናል ላይ የሚመዘገብ {0} ማንኛውም ያላገኘውን {1} ግቤት የለውም apps/erpnext/erpnext/config/hr.py +137,Appraisals,ማስተመኖች -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ተከታታይ ምንም ንጥል ገባ አባዛ {0} +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}. በላይ-አከፋፈል መፍቀድ, ቅንብሮች መግዛት ውስጥ ለማዘጋጀት እባክዎ" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} መቅረብ አለበት +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ክፍያ @@ -1785,12 +1788,12 @@ 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 +257,"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 +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.","እርስዎ ሊገዛ ወይም ሊሸጥ የእርስዎን ምርቶች ወይም አገልግሎቶች ዘርዝር. ከመጀመርዎ ጊዜ ይለኩ እና ሌሎች ንብረቶች ላይ ንጥል ቡድን, ክፍል ለመመልከት እርግጠኛ ይሁኑ." 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: Asset Movement,Asset Movement,የንብረት ንቅናቄ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,አዲስ ጨመር +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,መንኮራኩሮች @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,የግዢ ደረሰኞች ከ ንጥሎች ያግኙ DocType: Serial No,Creation Date,የተፈጠረበት ቀን apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} ንጥል ዋጋ ዝርዝር ውስጥ ብዙ ጊዜ ይገኛል {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መሸጥ, ምልክት መደረግ አለበት {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መሸጥ, ምልክት መደረግ አለበት {0}" DocType: Production Plan Material Request,Material Request Date,ቁሳዊ ጥያቄ ቀን DocType: Purchase Order Item,Supplier Quotation Item,አቅራቢው ትዕምርተ ንጥል DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,የምርት ትዕዛዞች ላይ ጊዜ ምዝግብ መፍጠር ያሰናክላል. ክወናዎች የምርት ትዕዛዝ ላይ ክትትል የለበትም @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,ምርቶች ወይም አገ DocType: Budget,Fiscal Year,በጀት ዓመት DocType: Vehicle Log,Fuel Price,የነዳጅ ዋጋ DocType: Budget,Budget,ባጀት -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,የተወሰነ የንብረት ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት. +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 +209,e.g. 5,ለምሳሌ: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,አንተ ወደ የሽያጭ ደረሰኝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል. @@ -1846,7 +1849,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 +263,A Product or Service,አንድ ምርት ወይም አገልግሎት +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,የአሁኑ ዋጋ @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,ሁለት +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ሁለት apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ DocType: Asset,Depreciation Schedule,የእርጅና ፕሮግራም apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,የሽያጭ አጋር አድራሻዎች እና እውቂያዎች @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},ንጥል ቡድን ንጥል ንጥል ጌታ ውስጥ የተጠቀሰው አይደለም {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት +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,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት DocType: Shipping Rule Condition,Shipping Amount,መላኪያ መጠን -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ደንበኞች ያክሉ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,ደርሷል @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካ ,Supplier-Wise Sales Analytics,አቅራቢው-ጥበበኛ የሽያጭ ትንታኔ apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,የሚከፈልበት መጠን ያስገቡ DocType: Salary Structure,Select employees for current Salary Structure,የአሁኑ ደመወዝ መዋቅር ይምረጡ ሰራተኞች +DocType: Sales Invoice,Company Address Name,የኩባንያ አድራሻ ስም 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)","የወላጅ ኮርስ (በዚህ ወላጅ የትምህርት ክፍል አይደለም ከሆነ, ባዶ ይተዉት)" @@ -1977,7 +1981,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 +269,Unit,መለኪያ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,እናንተ ተቀባይነት ንጥሎች የአክሲዮን ጠብቆ የት መጋዘን @@ -1998,7 +2002,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የሽያጭ ትዕዛዝ አንዱ ሽያጭ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: ሰዓት ጀምሮ እና ሰዓት ወደ የግዴታ ነው. DocType: Stock Reconciliation Item,Amount Difference,መጠን ያለው ልዩነት @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,ክልል በ ደንበኞች መካከል ምደባ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ልዩነት መጠን ዜሮ መሆን አለበት DocType: Project,Gross Margin,ግዙፍ ኅዳግ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,በመጀመሪያ የምርት ንጥል ያስገቡ +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 +748,Quotation,ጥቅስ @@ -2019,7 +2023,7 @@ 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: Opportunity,Customer / Lead Address,ደንበኛ / በእርሳስ አድራሻ -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ማስጠንቀቂያ: አባሪ ላይ ልክ ያልሆነ SSL ሰርቲፊኬት {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},ማስጠንቀቂያ: አባሪ ላይ ልክ ያልሆነ SSL ሰርቲፊኬት {0} DocType: Student Admission,Eligibility,የብቁነት apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","እርሳሶች የንግድ, ሁሉም እውቂያዎች እና ተጨማሪ ይመራል እንደ ለማከል ለማገዝ" DocType: Production Order Operation,Actual Operation Time,ትክክለኛው ኦፕሬሽን ሰዓት @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,አጠቃላይ ነጥብ አስላ DocType: Request for Quotation,Manufacturing Manager,የማምረቻ አስተዳዳሪ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},ተከታታይ አይ {0} እስከሁለት ዋስትና ስር ነው {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ጥቅሎች ወደ ክፈል ማቅረቢያ ማስታወሻ. -apps/erpnext/erpnext/hooks.py +87,Shipments,ማዕድኑን +apps/erpnext/erpnext/hooks.py +94,Shipments,ማዕድኑን DocType: Payment Entry,Total Allocated Amount (Company Currency),ጠቅላላ የተመደበ መጠን (የኩባንያ የምንዛሬ) DocType: Purchase Order Item,To be delivered to customer,የደንበኛ እስኪደርስ ድረስ DocType: BOM,Scrap Material Cost,ቁራጭ ቁሳዊ ወጪ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,ተከታታይ አይ {0} ማንኛውም መጋዘን ይኸው የእርሱ ወገን አይደለም +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,ተከታታይ አይ {0} ማንኛውም መጋዘን ይኸው የእርሱ ወገን አይደለም DocType: Purchase Invoice,In Words (Company Currency),ቃላት ውስጥ (የኩባንያ የምንዛሬ) DocType: Asset,Supplier,አቅራቢ DocType: C-Form,Quarter,ሩብ @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,የሰራተኛ የብድር መለ DocType: Leave Application,Total Leave Days,ጠቅላላ ፈቃድ ቀናት DocType: Email Digest,Note: Email will not be sent to disabled users,ማስታወሻ: የኢሜይል ተሰናክሏል ተጠቃሚዎች አይላክም apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ምንጭጌ ብዛት -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ንጥል ኮድ> ንጥል ቡድን> ብራንድ 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 +408,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","ቢያንስ አንድ ረድፍ ውስጥ የተመደበ መጠን, የደረሰኝ አይነት እና የደረሰኝ ቁጥር እባክዎ ይምረጡ" @@ -2102,7 +2105,8 @@ 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,ዋና ሥራ አስኪያጅ DocType: Expense Claim Detail,Expense Claim Detail,የወጪ የይገባኛል ጥያቄ ዝርዝር -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ትክክለኛውን መለያ ይምረጡ +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,አቅራቢ ለማግኘት TRIPLICATE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,ትክክለኛውን መለያ ይምረጡ DocType: Item,Weight UOM,የክብደት UOM DocType: Salary Structure Employee,Salary Structure Employee,ደመወዝ መዋቅር ሰራተኛ DocType: Employee,Blood Group,የደም ቡድን @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,አሳዳጊዎች 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 +336,Debit To is required,ዴት ወደ ያስፈልጋል +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ቅናሽ የሚቆይበት ጊዜ @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ጠቅላላ የ DocType: BOM Website Operation,BOM Website Operation,BOM ድር ጣቢያ ኦፕሬሽን apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ደብዳቤ አበርክቱ apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ቁሳዊ ጥያቄዎች (MRP) እና የምርት ትዕዛዞች ፍጠር. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ጠቅላላ የተጠየቀበት Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,ጠቅላላ የተጠየቀበት Amt DocType: BOM,Conversion Rate,የልወጣ ተመን apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,የምርት ፍለጋ DocType: Timesheet Detail,To Time,ጊዜ ወደ @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,ስልጠና ክስተት ሰራተኛ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ንጥል ያስፈልጋል መለያ ቁጥር {1}. ያቀረቡት {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ንጥል ያስፈልጋል መለያ ቁጥር {1}. ያቀረቡት {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,የአሁኑ ግምቱ ተመን DocType: Item,Customer Item Codes,የደንበኛ ንጥል ኮዶች apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,የ Exchange ቅሰም / ማጣት @@ -2198,7 +2202,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 +2454,Select Batch No,ምረጥ የጅምላ አይ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,የቅድሚያ ክፍያ መጠን @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,ተጠቃሚዎች ፍቀድ DocType: Purchase Order,Customer Mobile No,የደንበኛ ተንቀሳቃሽ ምንም DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,የተለየ ገቢ ይከታተሉ እና ምርት ከላይ ወደታች የወረዱ ወይም መከፋፈል ለ የወጪ. DocType: Rename Tool,Rename Tool,መሣሪያ ዳግም ሰይም -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,አዘምን ወጪ +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 +438,Show Salary Slip,አሳይ የቀጣሪ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ይምረጡ ለውጥ መጠን መለያ +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,ግብሮች ያክሉ +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,የበጀት መለያ @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,የግዢ ደረሰኝ የለም apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ልባዊ ገንዘብ DocType: Process Payroll,Create Salary Slip,የቀጣሪ ፍጠር apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / ከረጢት ኮድ 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,ተቀጣሪ @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,በድህረ ምረቃ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ጥገና ፕሮግራም ዝርዝር DocType: Quality Inspection Reading,Reading 9,9 ማንበብ DocType: Supplier,Is Frozen,የቆመ ነው? -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,የቡድን መስቀለኛ መንገድ መጋዘን ግብይቶች ለ ለመምረጥ አይፈቀድም +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,የቡድን መስቀለኛ መንገድ መጋዘን ግብይቶች ለ ለመምረጥ አይፈቀድም DocType: Buying Settings,Buying Settings,ሊገዙ ቅንብሮች DocType: Stock Entry Detail,BOM No. for a Finished Good Item,አንድ ያለቀለት ጥሩ ንጥል ለ BOM ቁ DocType: Upload Attendance,Attendance To Date,ቀን ወደ በስብሰባው @@ -2289,13 +2294,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM ማንኛውም ንጥል agianst የተጠቀሰው ከሆነ መጠን መቀየር አይችሉም +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,ብዛት ለ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},ረድፍ ላይ ንጥል {0} ለማግኘት የታቀደ ብዛት ያስገቡ {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,የተፈቀደላቸው እሴት DocType: BOM,Show Operations,አሳይ ክወናዎች ,Minutes to First Response for Opportunity,አጋጣሚ ለማግኘት በመጀመሪያ ምላሽ ደቂቃ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ጠቅላላ የተዉ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,የመለኪያ አሃድ DocType: Fiscal Year,Year End Date,ዓመት መጨረሻ ቀን DocType: Task Depends On,Task Depends On,ተግባር ላይ ይመረኮዛል @@ -2388,7 +2393,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},የሽያጭ ትዕዛዝ ብዛት የበለጠ ንጥል {0} ማፍራት የማይችሉ {1} +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/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,ቀጣይ የእውቂያ በ ቀዳሚ የኢሜይል አድራሻ ጋር ተመሳሳይ ሊሆን አይችልም @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,ማጣቀሻ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ማጣቀሻ DocType: Budget,Cost Center,የወጭ ማዕከል apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,የቫውቸር # DocType: Notification Control,Purchase Order Message,ትዕዛዝ መልዕክት ግዢ @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,የክምችት ቅንብሮች @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,ተግባር ማጠናቀቂያ apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,አይደለም የክምችት ውስጥ DocType: Appraisal,HR User,የሰው ሀይል ተጠቃሚ DocType: Purchase Invoice,Taxes and Charges Deducted,ግብሮች እና ክፍያዎች ይቀነሳል -apps/erpnext/erpnext/hooks.py +116,Issues,ችግሮች +apps/erpnext/erpnext/hooks.py +124,Issues,ችግሮች apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},ሁኔታ ውስጥ አንዱ መሆን አለበት {0} DocType: Sales Invoice,Debit To,ወደ ዴቢት DocType: Delivery Note,Required only for sample item.,ብቻ ናሙና ንጥል ያስፈልጋል. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,ግዛት apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,የሚያስፈልግ ጉብኝቶች ምንም መጥቀስ እባክዎ DocType: Stock Settings,Default Valuation Method,ነባሪ ዋጋ ትመና ዘዴው +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ክፍያ DocType: Vehicle Log,Fuel Qty,የነዳጅ ብዛት DocType: Production Order Operation,Planned Start Time,የታቀደ መጀመሪያ ጊዜ DocType: Course,Assessment,ግምገማ @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,ጥቅስ {0} ተሰርዟል -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን DocType: Sales Partner,Targets,ዒላማዎች DocType: Price List,Price List Master,የዋጋ ዝርዝር መምህር DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ማዘጋጀት እና ዒላማዎች ለመከታተል እንዲችሉ ሁሉም የሽያጭ ግብይቶች በርካታ ** የሽያጭ አካላት ** ላይ መለያ ተሰጥተዋቸዋል ይችላል. ,S.O. No.,ምት ቁ -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},ቀዳሚ ከ ደንበኛ ለመፍጠር እባክዎ {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},ቀዳሚ ከ ደንበኛ ለመፍጠር እባክዎ {0} DocType: Price List,Applicable for Countries,አገሮች የሚመለከታቸው apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ብቻ ማቅረብ ይችላሉ 'ተቀባይነት አላገኘም' 'ጸድቋል »እና ሁኔታ ጋር መተግበሪያዎች ውጣ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},የተማሪ ቡድን ስም ረድፍ ላይ ግዴታ ነው {0} @@ -2601,6 +2607,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/config/hr.py +163,Define various loan types,የተለያዩ የብድር ዓይነቶችን በይን DocType: Bin,FCFS Rate,FCFS ተመን DocType: Payment Reconciliation Invoice,Outstanding Amount,ያልተከፈሉ መጠን @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,ማምረት ቁሳዊ 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.,የቅናሽ መቶኛ አንድ ዋጋ ዝርዝር ላይ ወይም ሁሉንም የዋጋ ዝርዝር ለማግኘት ወይም ተግባራዊ ሊሆኑ ይችላሉ. DocType: Purchase Invoice,Half-yearly,ግማሽ-ዓመታዊ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ቀድሞውንም ግምገማ መስፈርት ከገመገምን {}. DocType: Vehicle Service,Engine Oil,የሞተር ዘይት -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ> የሰው ሀብት ውስጥ HR ቅንብሮች ስርዓት እየሰየሙ ማዋቀር የሰራተኛ 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,የደንበኛ አድራሻ @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ወደ ድርጅት ንብረት መለያዎች የተለየ ሰንጠረዥ ጋር ሕጋዊ አካሌ / ንዑስ. DocType: Payment Request,Mute Email,ድምጸ-ኢሜይል apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","የምግብ, መጠጥ እና ትንባሆ" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ኮሚሽን መጠን ከዜሮ በላይ 100 ሊሆን አይችልም DocType: Stock Entry,Subcontract,በሰብ apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,በመጀመሪያ {0} ያስገቡ @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,የተማሪ ወርሃዊ ክትትል ሉህ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},የተቀጣሪ {0} ቀድሞውኑ A መልክተው አድርጓል {1} መካከል {2} እና {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ፕሮጀክት መጀመሪያ ቀን -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,ድረስ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,ድረስ DocType: Rename Tool,Rename Log,ምዝግብ ማስታወሻ ዳግም ሰይም apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,የተማሪ ቡድን ወይም ኮርስ ፕሮግራም የግዴታ ነው DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Timesheet ላይ አንድ ዓይነት አከፋፈል ሰዓቶች እና የሥራ ሰዓቶች ይኑራችሁ @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,ተመለሱ ብዛት DocType: Employee,Exit,ውጣ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ስርወ አይነት ግዴታ ነው DocType: BOM,Total Cost(Company Currency),ጠቅላላ ወጪ (የኩባንያ የምንዛሬ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} የተፈጠረ ተከታታይ የለም +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,{0} የተፈጠረ ተከታታይ የለም DocType: Homepage,Company Description for website homepage,ድር መነሻ ገጽ ለ ኩባንያ መግለጫ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ደንበኞች ወደ ምቾት ሲባል, እነዚህ ኮዶች ደረሰኞች እና የመላኪያ ማስታወሻዎች እንደ የህትመት ቅርጸቶች ውስጥ ጥቅም ላይ ሊውል ይችላል" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier ስም @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,ኤስ ኤም ኤስ ጌትዌይ ዩ አ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,እርግጥ ነው መርሐግብሮች ተሰርዟል: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,ኤስኤምኤስ የመላኪያ ሁኔታ የመጠበቅ ምዝግብ ማስታወሻዎች DocType: Accounts Settings,Make Payment via Journal Entry,ጆርናል Entry በኩል ክፍያ አድርግ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed ላይ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed ላይ DocType: Item,Inspection Required before Delivery,የምርመራው አሰጣጥ በፊት የሚያስፈልግ DocType: Item,Inspection Required before Purchase,የምርመራው ግዢ በፊት የሚያስፈልግ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,በመጠባበቅ ላይ እንቅስቃሴዎች @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,የተማ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ገደብ የምታገናኝ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,ይህ 'የትምህርት ዓመት' ጋር አንድ የትምህርት ቃል {0} እና 'ተርም ስም «{1} አስቀድሞ አለ. እነዚህ ግቤቶችን ይቀይሩ እና እንደገና ይሞክሩ. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",ንጥል {0} ላይ ነባር ግብይቶች አሉ እንደ አንተ ያለውን ዋጋ መለወጥ አይችሉም {1} +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}",ንጥል {0} ላይ ነባር ግብይቶች አሉ እንደ አንተ ያለውን ዋጋ መለወጥ አይችሉም {1} DocType: UOM,Must be Whole Number,ሙሉ ቁጥር መሆን አለበት DocType: Leave Control Panel,New Leaves Allocated (In Days),(ቀኖች ውስጥ) የተመደበ አዲስ ቅጠሎች +DocType: Sales Invoice,Invoice Copy,የደረሰኝ ቅዳ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,ተከታታይ አይ {0} የለም DocType: Sales Invoice Item,Customer Warehouse (Optional),የደንበኛ መጋዘን (አማራጭ) DocType: Pricing Rule,Discount Percentage,የቅናሽ መቶኛ @@ -2823,8 +2831,10 @@ 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 +305,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,ሲጠራቀሙ የእርጅና መለያ DocType: Stock Settings,Freeze Stock Entries,አርጋ Stock ግቤቶችን +DocType: Program Enrollment,Boarding Student,የመሳፈሪያ የተማሪ DocType: Asset,Expected Value After Useful Life,ጠቃሚ ሕይወት በኋላ የሚጠበቀው እሴት DocType: Item,Reorder level based on Warehouse,መጋዘን ላይ የተመሠረተ አስይዝ ደረጃ DocType: Activity Cost,Billing Rate,አከፋፈል ተመን @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,የዋስትና / AMC ዝርዝሮች apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,የ እንቅስቃሴ ላይ የተመሠረተ ቡድን በእጅ ይምረጡ ተማሪዎች DocType: Journal Entry,User Remark,የተጠቃሚ አስተያየት DocType: Lead,Market Segment,ገበያ ክፍሉ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},የሚከፈልበት መጠን ጠቅላላ አሉታዊ የላቀ መጠን መብለጥ አይችልም {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},የሚከፈልበት መጠን ጠቅላላ አሉታዊ የላቀ መጠን መብለጥ አይችልም {0} DocType: Employee Internal Work History,Employee Internal Work History,የተቀጣሪ ውስጣዊ የስራ ታሪክ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),የመመዝገቢያ ጊዜ (ዶክተር) DocType: Cheque Print Template,Cheque Size,ቼክ መጠን -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,አይደለም አክሲዮን ውስጥ ተከታታይ አይ {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,አይደለም አክሲዮን ውስጥ ተከታታይ አይ {0} apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ግብይቶች ለመሸጥ የግብር አብነት. DocType: Sales Invoice,Write Off Outstanding Amount,ያልተከፈሉ መጠን ጠፍቷል ይጻፉ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},መለያ {0} ኩባንያ ጋር አይዛመድም {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,ጥቂት ናሙና መዝገቦች ያክሉ +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,ሙሉ በሙሉ ደርሷል @@ -2893,17 +2903,17 @@ 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 +418,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ደንበኛ የግዢ ትዕዛዝ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ተከታታይ የለም እና ባች DocType: Warranty Claim,From Company,ኩባንያ ከ -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ግምገማ መስፈርት በበርካታ ድምር {0} መሆን አለበት. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,ግምገማ መስፈርት በበርካታ ድምር {0} መሆን አለበት. 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 +270,Minute,ደቂቃ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ደቂቃ DocType: Purchase Invoice,Purchase Taxes and Charges,ግብሮች እና ክፍያዎች ይግዙ ,Qty to Receive,ይቀበሉ ዘንድ ብዛት DocType: Leave Block List,Leave Block List Allowed,አግድ ዝርዝር ተፈቅዷል ይነሱ @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,የተገኙና apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ባንክ ኦቨርድራፍት መለያ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,የቀጣሪ አድርግ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,የረድፍ # {0}: የተመደበ መጠን የላቀ መጠን የበለጠ ሊሆን አይችልም. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,አስስ BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,አስስ BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ደህንነቱ የተጠበቀ ብድሮች DocType: Purchase Invoice,Edit Posting Date and Time,አርትዕ የመለጠፍ ቀን እና ሰዓት apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},የንብረት ምድብ {0} ወይም ኩባንያ ውስጥ መቀነስ ጋር የተያያዙ መለያዎች ማዘጋጀት እባክዎ {1} @@ -2939,7 +2949,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 +278,Select Quantity,ይምረጡ ብዛት +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,ይህን የኢሜይል ጥንቅር ምዝገባ ይውጡ @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},አይደለም በላይ የቆዩ የአክሲዮን ግብይቶችን ለማዘመን አይፈቀድላቸውም {0} DocType: Purchase Invoice Item,PR Detail,የህዝብ ግንኙነት ዝርዝር DocType: Sales Order,Fully Billed,ሙሉ በሙሉ የሚከፈል +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,አቅራቢው> አቅራቢ አይነት 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 +127,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),የጥቅል ያለው አጠቃላይ ክብደት. አብዛኛውን ጊዜ የተጣራ ክብደት + ጥቅል ቁሳዊ ክብደት. (የህትመት ለ) @@ -2999,8 +3010,9 @@ 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} አልተካተተም ነው ይግዙ DocType: Customs Tariff Number,Tariff Number,ታሪፍ ቁጥር +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP መጋዘን ላይ ይገኛል ብዛት apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ፕሮጀክት -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},ተከታታይ አይ {0} መጋዘን የእርሱ ወገን አይደለም {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},ተከታታይ አይ {0} መጋዘን የእርሱ ወገን አይደለም {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,ማስታወሻ: {0} ብዛት ወይም መጠን 0 ነው እንደ የመላኪያ-ደጋግሞ-ማስያዣ ንጥል ለ ስርዓት ይመልከቱ አይደለም DocType: Notification Control,Quotation Message,ትዕምርተ መልዕክት DocType: Employee Loan,Employee Loan Application,የሰራተኛ ብድር ማመልከቻ @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,አርፏል ወጪ ቫውቸር መጠን apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,አቅራቢዎች ያሳደጉት ደረሰኞች. DocType: POS Profile,Write Off Account,መለያ ጠፍቷል ይጻፉ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Amt ማስታወሻ ዴቢት +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Amt ማስታወሻ ዴቢት apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,የቅናሽ መጠን 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 +207,e.g. VAT,ለምሳሌ ቫት +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,ንዑስ-የኮንትራት @@ -3032,7 +3044,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 +1945,Please select customer,የደንበኛ ይምረጡ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,የደንበኛ ይምረጡ DocType: C-Form,I,እኔ DocType: Company,Asset Depreciation Cost Center,የንብረት ዋጋ መቀነስ ወጪ ማዕከል DocType: Sales Order Item,Sales Order Date,የሽያጭ ትዕዛዝ ቀን @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,DESC አድራሻ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ፓርቲ የግዴታ ነው DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ርዕስ ስም -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,የ መሸጥ ወይም መግዛትና ውስጥ ቢያንስ አንድ መመረጥ አለበት +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,የ መሸጥ ወይም መግዛትና ውስጥ ቢያንስ አንድ መመረጥ አለበት apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,የንግድ ተፈጥሮ ይምረጡ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},የረድፍ # {0}: ማጣቀሻዎች ውስጥ ግቤት አባዛ {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"ባለማምረታቸው, ቀዶ የት ተሸክመው ነው." @@ -3070,7 +3082,7 @@ 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} DocType: Employee,Confirmation Date,ማረጋገጫ ቀን DocType: C-Form,Total Invoiced Amount,ጠቅላላ በደረሰኝ የተቀመጠው መጠን -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,ዝቅተኛ ብዛት ማክስ ብዛት በላይ ሊሆን አይችልም +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ዝቅተኛ ብዛት ማክስ ብዛት በላይ ሊሆን አይችልም DocType: Account,Accumulated Depreciation,ሲጠራቀሙ መቀነስ DocType: Stock Entry,Customer or Supplier Details,የደንበኛ ወይም አቅራቢ ዝርዝሮች DocType: Employee Loan Application,Required by Date,ቀን በሚጠይቀው @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ትዕዛዝ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,የኩባንያ ስም ኩባንያ ሊሆን አይችልም apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,የህትመት አብነቶች ለ ደብዳቤ ኃላፊዎች. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,የህትመት አብነቶች ለ የማዕረግ Proforma የደረሰኝ ምህበርን. +DocType: Program Enrollment,Walking,በእግር መሄድ DocType: Student Guardian,Student Guardian,የተማሪ አሳዳጊ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ግምቱ አይነት ክፍያዎች ያካተተ ምልክት ተደርጎበታል አይችልም DocType: POS Profile,Update Stock,አዘምን Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,አቅራቢው> አቅራቢ አይነት apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ንጥሎች በተለያዩ UOM ትክክል (ጠቅላላ) የተጣራ ክብደት ዋጋ ሊመራ ይችላል. እያንዳንዱ ንጥል የተጣራ ክብደት ተመሳሳይ UOM ውስጥ መሆኑን እርግጠኛ ይሁኑ. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM ተመን DocType: Asset,Journal Entry for Scrap,ቁራጭ ለ ጆርናል የሚመዘገብ መረጃ @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,አሳይ የግብር ከፋይ-ምትኬ apps/erpnext/erpnext/accounts/party.py +308,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,ምንም ተማሪዎች አልተገኙም @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ምንም ተማሪዎች ውስጥ +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 +108,Please enter 'Expected Delivery Date','የሚጠበቀው የመላኪያ ቀን' ያስገቡ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,ልክ ያልሆነ GSTIN ወይም ያልተመዘገበ ለ NA ያስገቡ +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),መዋጮ (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ማስታወሻ: የክፍያ Entry ጀምሮ አይፈጠርም 'በጥሬ ገንዘብ ወይም በባንክ አካውንት' አልተገለጸም apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ሃላፊነቶች DocType: Expense Claim Account,Expense Claim Account,የወጪ የይገባኛል ጥያቄ መለያ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ውቅረት> በቅንብሮች> የስያሜ ተከታታይ ለ ተከታታይ የስያሜ ለማዘጋጀት እባክዎ 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,ተጠቃሚዎችን ያክሉ DocType: POS Item Group,Item Group,ንጥል ቡድን DocType: Item,Safety Stock,የደህንነት Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,አንድ ተግባር በሂደት ላይ ለ% ከ 100 በላይ ሊሆን አይችልም. DocType: Stock Reconciliation Item,Before reconciliation,እርቅ በፊት apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ወደ {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ግብሮች እና ክፍያዎች ታክሏል (የኩባንያ የምንዛሬ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ንጥል ግብር ረድፍ {0} አይነት ታክስ ወይም ገቢ ወይም የወጪ ወይም እንዳንከብድበት ምክንያት ሊኖረው ይገባል +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ንጥል ግብር ረድፍ {0} አይነት ታክስ ወይም ገቢ ወይም የወጪ ወይም እንዳንከብድበት ምክንያት ሊኖረው ይገባል DocType: Sales Order,Partly Billed,በከፊል የሚከፈል apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ንጥል {0} አንድ ቋሚ የንብረት ንጥል መሆን አለበት DocType: Item,Default BOM,ነባሪ BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ዴቢት ማስታወሻ መጠን +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ዴቢት ማስታወሻ መጠን apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ዳግም-ዓይነት ኩባንያ ስም ለማረጋገጥ እባክዎ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,ጠቅላላ ያልተወራረደ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,ጠቅላላ ያልተወራረደ Amt DocType: Journal Entry,Printing Settings,ማተም ቅንብሮች DocType: Sales Invoice,Include Payment (POS),የክፍያ አካትት (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ጠቅላላ ዴቢት ጠቅላላ ምንጭ ጋር እኩል መሆን አለባቸው. ልዩነቱ ነው {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,አው DocType: Vehicle,Insurance Company,ኢንሹራንስ ኩባንያ DocType: Asset Category Account,Fixed Asset Account,የተወሰነ የንብረት መለያ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,ተለዋጭ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,የመላኪያ ማስታወሻ ከ +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,የመላኪያ ማስታወሻ ከ DocType: Student,Student Email Address,የተማሪ የኢሜይል አድራሻ DocType: Timesheet Detail,From Time,ሰዓት ጀምሮ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ለሽያጭ የቀረበ እቃ: DocType: Notification Control,Custom Message,ብጁ መልዕክት apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,የኢንቨስትመንት ባንኪንግ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,በጥሬ ገንዘብ ወይም የባንክ ሂሳብ ክፍያ ግቤት ለማድረግ ግዴታ ነው -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ማዋቀር ቁጥር ተከታታይ> Setup በኩል ክትትል ተከታታይ ቁጥር እባክዎ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,የተማሪ አድራሻ 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 +1517,Address Name,አድራሻ ስም +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,አድራሻ ስም DocType: Stock Entry,From BOM,BOM ከ DocType: Assessment Code,Assessment Code,ግምገማ ኮድ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,መሠረታዊ @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም. +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/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,ወርሃዊ የሚያየን መጠን ብድር መጠን በላይ ሊሆን አይችልም @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,ተማሪው አስቀድሞ ተመዝግቧል. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,ሂደት የደመወዝ ክፍያ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,ተከታታይ የሥራ ቀናት በላይ በዓላት በዚህ ወር አሉ. DocType: Product Bundle Item,Product Bundle Item,የምርት ጥቅል ንጥል DocType: Sales Partner,Sales Partner Name,የሽያጭ የአጋር ስም -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,ጥቅሶች ጠይቅ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,ጥቅሶች ጠይቅ DocType: Payment Reconciliation,Maximum Invoice Amount,ከፍተኛው የደረሰኝ የገንዘብ መጠን DocType: Student Language,Student Language,የተማሪ ቋንቋ apps/erpnext/erpnext/config/selling.py +23,Customers,ደንበኞች @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,በከፊል የቀነሰበት DocType: Issue,Opening Time,የመክፈቻ ሰዓት apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,እንዲሁም ያስፈልጋል ቀናት ወደ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ዋስትና እና ምርት ልውውጥ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት '{1} » +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 +847,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,ጥሬ ሐሳብ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,የቅናሽ መጠን በኋላ የግብር መጠን @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ቀን በመክፈት ቀን መዝጋት በፊት መሆን አለበት -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ውቅረት> በቅንብሮች> የስያሜ ተከታታይ ለ ተከታታይ የስያሜ ለማዘጋጀት እባክዎ 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.,ቀኖች ስለ በዓላት በዚህ ክፍል ታግደዋል. @@ -3330,8 +3341,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',በምድብ «ግምቱ 'ወይም' ግምቱ እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Serialized ንጥል ሲሪያል ቁጥሮች ያስፈልጋል {0} +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/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,ደረሰኞች ጋር አዛምድ ክፍያዎች DocType: Journal Entry,Bank Entry,ባንክ የሚመዘገብ መረጃ DocType: Authorization Rule,Applicable To (Designation),የሚመለከታቸው ለማድረግ (ምደባ) @@ -3348,7 +3359,7 @@ 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 +270,Hour,ሰአት +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,አንተ አግድ ቀኖች ላይ ቅጠል ለማፅደቅ ስልጣን አይደለም @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,የሽያጭ ነጥብ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,የሽያጭ ነጥብ DocType: Payment Entry,Received Amount,የተቀበልከው መጠን DocType: GST Settings,GSTIN Email Sent On,GSTIN ኢሜይል ላይ የተላከ DocType: Program Enrollment,Pick/Drop by Guardian,አሳዳጊ በ / ጣል ይምረጡ @@ -3373,8 +3384,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 +270,Gram,ግራም -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት. +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/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% ነው. @@ -3399,14 +3410,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 +465,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,በርካታ ሠራተኞች ምልክት ክትትል @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,አከፋፈል መንግስት @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},ልክ ያልሆነ አይነታ {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','ሁሉም ግምገማ ቡድኖች' ይልቅ ሌላ ግምገማ ቡድን ይምረጡ @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,ደመወዝ ክፍሎ DocType: Program Enrollment Tool,New Academic Year,አዲስ የትምህርት ዓመት apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ተመለስ / ክሬዲት ማስታወሻ DocType: Stock Settings,Auto insert Price List rate if missing,ራስ-ያስገቡ ዋጋ ዝርዝር መጠን ይጎድለዋል ከሆነ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ጠቅላላ የሚከፈልበት መጠን +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,ጠቅላላ የሚከፈልበት መጠን DocType: Production Order Item,Transferred Qty,ተላልፈዋል ብዛት apps/erpnext/erpnext/config/learn.py +11,Navigating,በመዳሰስ ላይ 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 +272,We sell this Item,ይህ ንጥል መሸጥ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,የናሙና ውሂብ 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,ግማሾቹ ቀን ቀን @@ -3640,7 +3653,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 +1186,Please set Company,ኩባንያ ማዘጋጀት እባክዎ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,ኩባንያ ማዘጋጀት እባክዎ DocType: Pricing Rule,Buying,ሊገዙ DocType: HR Settings,Employee Records to be created by,ሠራተኛ መዛግብት መፈጠር አለበት DocType: POS Profile,Apply Discount On,ቅናሽ ላይ ተግብር @@ -3656,13 +3669,14 @@ 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,ክፍያዎች ሰብስብ DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},የአሞሌ {0} አስቀድሞ ንጥል ውስጥ ጥቅም ላይ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},የአሞሌ {0} አስቀድሞ ንጥል ውስጥ ጥቅም ላይ {1} DocType: Lead,Add to calendar on this date,በዚህ ቀን ላይ ወደ ቀን መቁጠሪያ አክል apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,የመላኪያ ወጪዎች ለማከል ደንቦች. DocType: Item,Opening Stock,በመክፈት ላይ የአክሲዮን apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ደንበኛ ያስፈልጋል apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} መመለስ ግዴታ ነው DocType: Purchase Order,To Receive,መቀበል +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,የግል ኢሜይል apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ጠቅላላ ልዩነት DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","የነቃ ከሆነ, ስርዓት በራስ ሰር ክምችት ለ የሂሳብ ግቤቶች መለጠፍ ነው." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,መደበኛ ሽያጭ @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,የዋስትና ውጪ DocType: BOM Replace Tool,Replace,ተካ apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ምንም ምርቶች አልተገኙም. -DocType: Production Order,Unstopped,ይከፈታሉ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} የሽያጭ ደረሰኝ ላይ {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,የፕሮጀክት ስም @@ -3692,6 +3705,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} 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} ወይም አስቀድመው በሌሎች ቫውቸር ጋር የሚዛመድ መለያ የለውም @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,ይህ ጀምሮ ችላ ንጥል {0} አንድ የአክሲዮን ንጥል አይደለም +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 +40,Submit this Production Order for further processing.,ተጨማሪ ሂደት ይህን የምርት ትዕዛዝ ያስገቡ. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ሥራዎች @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),መጠን (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","ራስህን ሌላ, የእርስዎ ድርጅት ተጠቃሚዎችን ያክሉ" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',የቡድን በ «ኩባንያ 'ከሆነ ኩባንያ ባዶ ማጣሪያ ያዘጋጁ እባክዎ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,መለጠፍ ቀን ወደፊት ቀን ሊሆን አይችልም apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},የረድፍ # {0}: መለያ አይ {1} ጋር አይዛመድም {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ተራ ፈቃድ @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,የክምችት የሒሳብ መ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. አምድ ባዶ መሆን አለበት +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. አምድ ባዶ መሆን አለበት DocType: Accounts Settings,Accounts Settings,ቅንብሮች መለያዎች apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,ማጽደቅ DocType: Customer,Sales Partner and Commission,የሽያጭ አጋር እና ኮሚሽን @@ -3787,7 +3803,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 +62,{0} items produced,ምርት {0} ንጥሎች +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,ተመለስ @@ -3801,7 +3817,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,የመለወጫ ተመን -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,መርከቦች አስተዳደር @@ -3826,18 +3842,18 @@ 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 +705,Online,የመስመር ላይ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ንጥል ተሰናክሏል DocType: Employee Loan,Repay Fixed Amount per Period,ክፍለ ጊዜ በአንድ ቋሚ መጠን ብድራትን apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ንጥል ለ ብዛት ያስገቡ {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,የብድር ማስታወሻ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,የብድር ማስታወሻ Amt DocType: Employee External Work History,Employee External Work History,የተቀጣሪ ውጫዊ የስራ ታሪክ DocType: Tax Rule,Purchase,የግዢ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ሒሳብ ብዛት @@ -3862,7 +3878,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 +2383,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ DocType: Employee,Encashment Date,Encashment ቀን DocType: Training Event,Internet,በይነመረብ DocType: Account,Stock Adjustment,የአክሲዮን ማስተካከያ @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,ነው አሳዳጊ DocType: Grading Scale Interval,Threshold,ምድራክ DocType: BOM Replace Tool,Current BOM,የአሁኑ BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,ተከታታይ ምንም አክል +DocType: Production Order Item,Available Qty at Source Warehouse,ምንጭ መጋዘን ላይ ይገኛል ብዛት apps/erpnext/erpnext/config/support.py +22,Warranty,ዋስ DocType: Purchase Invoice,Debit Note Issued,ዴት ማስታወሻ ቀርቧል DocType: Production Order,Warehouses,መጋዘኖችን @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,መጠን የ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ፕሮጀክት ሥራ አስኪያጅ ,Quoted Item Comparison,የተጠቀሰ ንጥል ንጽጽር apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,የደንበኞች አገልግሎት -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ንጥል የሚፈቀደው ከፍተኛ ቅናሽ: {0} {1}% ነው +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 +279,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 +879,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል" DocType: Item,Material Issue,ቁሳዊ ችግር DocType: Hub Settings,Seller Description,ሻጭ መግለጫ DocType: Employee Education,Qualification,እዉቀት @@ -3936,7 +3953,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 +200,Cannot cancel because submitted Stock Entry {0} exists,ገብቷል የክምችት Entry {0} መኖሩን ምክንያቱም ማስቀረት አይቻልም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ገብቷል የክምችት Entry {0} መኖሩን ምክንያቱም ማስቀረት አይቻልም DocType: Employee Loan,Disbursement Date,ከተዛወሩ ቀን DocType: Vehicle,Vehicle,ተሽከርካሪ DocType: Purchase Invoice,In Words,ቃላት ውስጥ @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",", ነባሪ በዚህ በጀት ዓመት ለማዘጋጀት 'ነባሪ አዘጋጅ »ላይ ጠቅ ያድርጉ" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ተቀላቀል apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,እጥረት ብዛት -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ DocType: Employee Loan,Repay from Salary,ደመወዝ ከ ልከፍለው DocType: Leave Application,LAP/,ጭን / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ላይ ክፍያ በመጠየቅ ላይ {0} {1} መጠን ለ {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,ተከታታይ አይ {0} አስቀድሞ ደርሷል +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: Expense Claim,Vehicle Log,የተሽከርካሪ ምዝግብ ማስታወሻ DocType: Purchase Invoice,Recurring Id,ተደጋጋሚ መታወቂያ DocType: Customer,Sales Team Details,የሽያጭ ቡድን ዝርዝሮች -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,እስከመጨረሻው ይሰረዝ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},ልክ ያልሆነ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ልክ ያልሆነ {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,የህመም ጊዜ የስራ ዕረፍት ፍቃድ DocType: Email Digest,Email Digest,የኢሜይል ጥንቅር DocType: Delivery Note,Billing Address Name,አከፋፈል አድራሻ ስም @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,እንዳንከብድበት DocType: Company,Change Abbreviation,ለውጥ ምህፃረ ቃል DocType: Expense Claim Detail,Expense Date,የወጪ ቀን +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ንጥል ኮድ> ንጥል ቡድን> ብራንድ DocType: Item,Max Discount (%),ከፍተኛ ቅናሽ (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,የመጨረሻ ትዕዛዝ መጠን DocType: Task,Is Milestone,ያበረከተ ነው @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,አዲስ ፕሮግራም DocType: Item Attribute Value,Attribute Value,ዋጋ ይስጡ ,Itemwise Recommended Reorder Level,Itemwise አስይዝ ደረጃ የሚመከር DocType: Salary Detail,Salary Detail,ደመወዝ ዝርዝር -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,በመጀመሪያ {0} እባክዎ ይምረጡ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,ንጥል ባች {0} {1} ጊዜው አልፎበታል. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,በመጀመሪያ {0} እባክዎ ይምረጡ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,ንጥል ባች {0} {1} ጊዜው አልፎበታል. DocType: Sales Invoice,Commission,ኮሚሽን apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,የአምራች ሰዓት ሉህ. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ድምር @@ -4047,12 +4065,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 +399,Operation Time must be greater than 0 for Operation {0},ኦፕሬሽን ጊዜ ክወና ለ ከ 0 በላይ መሆን አለበት {0} +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/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 +387,Production Order cannot be raised against a Item Template,የምርት ትዕዛዝ አንድ ንጥል መለጠፊያ ላይ ይነሣሉ አይችልም +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,ቀን ጀምር @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,ማስወገድ ቀን DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","እነርሱ በዓል ከሌለዎት ኢሜይሎችን, በተሰጠው ሰዓት ላይ ኩባንያ ሁሉ ንቁ ሠራተኞች ይላካል. ምላሾች ማጠቃለያ እኩለ ሌሊት ላይ ይላካል." DocType: Employee Leave Approver,Employee Leave Approver,የሰራተኛ ፈቃድ አጽዳቂ -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ትዕምርተ ተደርጓል ምክንያቱም, እንደ የጠፋ ማወጅ አይቻልም." 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} መቅረብ አለበት ፕሮዳክሽን @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,ተማሪ apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,የድርጅት ክፍል (ዲፓርትመንት) ጌታው. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,የሚሰራ የተንቀሳቃሽ ስልክ ቁጥሮች ያስገቡ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ከመላክዎ በፊት መልዕክት ያስገቡ +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,አቅራቢ የተባዙ DocType: Email Digest,Pending Quotations,ጥቅሶች በመጠባበቅ ላይ apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ነጥብ-መካከል-ሽያጭ መገለጫ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,ኤስ ኤም ኤስ ቅንብሮች ያዘምኑ እባክዎ @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,ኪሳራ ማዕከል ስም DocType: Employee,B+,ለ + DocType: HR Settings,Max working hours against Timesheet,ከፍተኛ Timesheet ላይ ሰዓት መስራት DocType: Maintenance Schedule Detail,Scheduled Date,የተያዘለት ቀን -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ጠቅላላ የክፍያ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,ጠቅላላ የክፍያ Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ቁምፊዎች በላይ መልዕክቶች በርካታ መልዕክቶች ይከፋፈላሉ DocType: Purchase Receipt Item,Received and Accepted,ተቀብሏል እና ተቀባይነት ,GST Itemised Sales Register,GST የተሰሉ የሽያጭ መመዝገቢያ @@ -4133,7 +4152,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 +237,Your Suppliers,የእርስዎ አቅራቢዎች +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',በምድብ «ግምቱ 'ወይም' Vaulation እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","የ ሊገዙ ቅንብሮች መሰረት የግዥ Reciept ያስፈልጋል == 'አዎ' ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ደረሰኝ መፍጠር አለብዎት ከሆነ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ንጥል {1} ጋር ተያይዞ ድር ጣቢያ ምስል {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.,ድር ላይ በርካታ ቡድኖች ውስጥ ይህን ንጥል ዘርዝር. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ምን ያ apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,መጋዘን ወደ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ሁሉም የተማሪ ምዝገባ ,Average Commission Rate,አማካኝ ኮሚሽን ተመን -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'አዎ' መሆን ያልሆኑ-የአክሲዮን ንጥል አይችልም 'መለያ ምንም አለው' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'አዎ' መሆን ያልሆኑ-የአክሲዮን ንጥል አይችልም 'መለያ ምንም አለው' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,በስብሰባው ወደፊት ቀናት ምልክት ሊሆን አይችልም DocType: Pricing Rule,Pricing Rule Help,የዋጋ አሰጣጥ ደንብ እገዛ DocType: School House,House Name,ቤት ስም @@ -4176,7 +4195,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 +339,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,ኢንሹራንስ የመጀመሪያ ቀን መድን የመጨረሻ ቀን ያነሰ መሆን አለበት @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ሠራተኛ ደመወዝ ማዘዥ {0} አስቀድሞ ጊዜ ወረቀት የተፈጠሩ {1} DocType: Vehicle Log,Odometer,ቆጣሪው DocType: Sales Order Item,Ordered Qty,የዕቃው መረጃ ብዛት -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ንጥል {0} ተሰናክሏል +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 +874,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 ዝርዝሮች apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ደመወዝ ቡቃያ አመንጭ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መግዛትና, ምልክት መደረግ አለበት {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መግዛትና, ምልክት መደረግ አለበት {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ቅናሽ ከ 100 መሆን አለበት 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 +500,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,ፕሮግራም ምዝገባ DocType: Landed Cost Voucher,Landed Cost Voucher,አረፈ ወጪ ቫውቸር @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,የሚጠበቀው ቀን የቁስ ጥያቄ ቀን በፊት ሊሆን አይችልም DocType: Purchase Invoice Item,Stock Qty,የአክሲዮን ብዛት -DocType: Production Order,Source Warehouse (for reserving Items),ምንጭ መጋዘን (ንጥሎች reserving ለ) DocType: Employee Loan,Repayment Period in Months,ወራት ውስጥ ብድር መክፈል ክፍለ ጊዜ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ስህተት: ልክ ያልሆነ መታወቂያ? DocType: Naming Series,Update Series Number,አዘምን ተከታታይ ቁጥር @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,የታቀደ የማብቂያ ቀን apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,ንጥሎች የት ይከማቻሉ. DocType: Request for Quotation,Supplier Detail,በአቅራቢዎች ዝርዝር apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ቀመር ወይም ሁኔታ ውስጥ ስህተት: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,በደረሰኝ የተቀመጠው መጠን +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,በደረሰኝ የተቀመጠው መጠን DocType: Attendance,Attendance,መገኘት apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,የአክሲዮን ንጥሎች DocType: BOM,Materials,እቃዎች @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,ማዋቀር የእኔ ድርጅት ለማግኘት ቀላል ድር ጣቢያ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0} DocType: Item,Default Warehouse,ነባሪ መጋዘን apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},በጀት ቡድን መለያ ላይ ሊመደብ አይችልም {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ወላጅ የወጪ ማዕከል ያስገቡ @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል +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/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,ይህ የዚህ ሰራተኛ መካከል በስብሰባው ላይ የተመሠረተ ነው @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,ዓመት መጀመሪያ ቀን DocType: Attendance,Employee Name,የሰራተኛ ስም DocType: Sales Invoice,Rounded Total (Company Currency),የከበበ ጠቅላላ (የኩባንያ የምንዛሬ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ> የሰው ሀብት ውስጥ HR ቅንብሮች ስርዓት እየሰየሙ ማዋቀር የሰራተኛ 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} ተቀይሯል. እባክዎ ያድሱ. DocType: Leave Block List,Stop users from making Leave Applications on following days.,በሚቀጥሉት ቀኖች ላይ ፈቃድ መተግበሪያዎች በማድረጉ ተጠቃሚዎች አቁም. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 ማንበብ ,Hub,ማዕከል DocType: GL Entry,Voucher Type,የቫውቸር አይነት -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ 'ግራ' እንደ @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,ለውጥ መጠን መለያ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ረድፍ {0}: ፓርቲ / መለያዎ ጋር አይመሳሰልም {1} / {2} ውስጥ {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,የወጪ ሒሳብ ያስገቡ DocType: Account,Stock,አክሲዮን -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት" DocType: Employee,Current Address,ወቅታዊ አድራሻ DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","በግልጽ ካልተገለጸ በስተቀር ንጥል ከዚያም መግለጫ, ምስል, ዋጋ, ግብር አብነቱን ከ ማዘጋጀት ይሆናል ወዘተ ሌላ ንጥል ተለዋጭ ከሆነ" DocType: Serial No,Purchase / Manufacture Details,የግዢ / ማምረት ዝርዝሮች @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,የቤት አድራሻ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,አስተላልፍ ንብረት DocType: POS Profile,POS Profile,POS መገለጫ DocType: Training Event,Event Name,የክስተት ስም -apps/erpnext/erpnext/config/schools.py +39,Admission,መግባት +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,መግባት apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ለ የመግቢያ {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} ንጥል አብነት ነው, በውስጡ ከተለዋጮችዎ አንዱ ይምረጡ" DocType: Asset,Asset Category,የንብረት ምድብ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,በገዢው apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,የተጣራ ክፍያ አሉታዊ መሆን አይችልም DocType: SMS Settings,Static Parameters,አይለወጤ መለኪያዎች DocType: Assessment Plan,Room,ክፍል @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,ንጥል ግብር apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,አቅራቢው ቁሳዊ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ኤክሳይስ ደረሰኝ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ከአንድ ጊዜ በላይ ይመስላል +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,የደንበኛ> የደንበኛ ቡድን> ግዛት 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,የቅርብ ግዜ አዳ @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,አስተላልፍ አኗኗራችሁ ነ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,ደመወዝ ቡቃያ ገብቷል አይደለም ,Stock Summary,የአክሲዮን ማጠቃለያ diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv index 1ead5c7c02..6b84218bcc 100644 --- a/erpnext/translations/ar.csv +++ b/erpnext/translations/ar.csv @@ -1,6 +1,6 @@ DocType: Employee,Salary Mode,طريقة تحصيل الراتب DocType: Employee,Divorced,المطلقات -apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +96,Items already synced,تمت مزامنة البنود +apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +96,Items already synced,البنود تمت مزامنتها سابقا DocType: Buying Settings,Allow Item to be added multiple times in a transaction,السماح للصنف بإضافته اكثر من مرة فى نفس المعاملة apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +33,Cancel Material Visit {0} before cancelling this Warranty Claim,إلغاء مادة زيارة موقع {0} قبل إلغاء هذه المطالبة الضمان apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,المنتجات الاستهلاكية @@ -17,14 +17,14 @@ 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",لا يمكن إلغاء توقفت أمر الإنتاج، نزع السدادة لأول مرة إلغاء +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,حدد الافتراضي مزود 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.,* سيتم احتسابه في المعاملة. DocType: Purchase Order,Customer Contact,معلومات اتصال العميل -DocType: Job Applicant,Job Applicant,طالب وظيفة +DocType: Job Applicant,Job Applicant,طالب الوظيفة apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,ويستند هذا على المعاملات مقابل هذا المورد. انظر الجدول الزمني أدناه للاطلاع على التفاصيل apps/erpnext/erpnext/hub_node/page/hub/hub_body.html +18,No more results.,لا مزيد من النتائج. apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +34,Legal,القانونية @@ -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 +179,Accural Journal Entry Submitted,ارسال استحقاق القيود اليومية DocType: Pricing Rule,Apply On,تنطبق على DocType: Item Price,Multiple Item prices.,أسعار الإغلاق متعددة . ,Purchase Order Items To Be Received,تم استلام اصناف امر الشراء @@ -54,7 +54,7 @@ DocType: SMS Parameter,Parameter,المعلمة apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,يتوقع نهاية التاريخ لا يمكن أن يكون أقل من تاريخ بدء المتوقعة apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,الصف # {0}: تقييم يجب أن يكون نفس {1} {2} ({3} / {4}) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,طلب إجازة جديدة -,Batch Item Expiry Status,دفعة وضع البند انتهاء الصلاحية +,Batch Item Expiry Status,حالة انتهاء صلاحية الدفعة 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,اظهار المتغيرات @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1} +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 +808,Invoice,فاتورة DocType: Maintenance Schedule Item,Periodicity,دورية apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,السنة المالية {0} مطلوب @@ -89,11 +89,11 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,التقدم في العمل apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,يرجى تحديد التاريخ DocType: Employee,Holiday List,قائمة العطلات -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,محاسب +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,محاسب DocType: Cost Center,Stock User,مخزون العضو DocType: Company,Phone No,رقم الهاتف apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,جداول بالطبع خلق: -apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},الجديد {0} # {1} +apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},جديد {0} # {1} ,Sales Partners Commission,عمولة المناديب apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,الاختصار لا يمكن أن يكون أكثر من 5 أحرف DocType: Payment Request,Payment Request,طلب الدفع @@ -110,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 +269,Kg,كجم +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,كجم DocType: Student Log,Log,سجل apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,.فتح للحصول على وظيفة DocType: Item Attribute,Increment,الزيادة @@ -120,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 +42,Not permitted for {0},لا يجوز لل{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,الحصول على البنود من -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,لا وجدت وحدات +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,فاتورة مبيعات السلعة @@ -142,11 +142,12 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,تقارير المخزو DocType: Warehouse,Warehouse Detail,تفاصيل المستودع apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},وقد عبرت الحد الائتماني للعميل {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""هل الأصول ثابتة"" لا يمكن إزالة اختياره, لأن سجل الأصول موجود ضد هذا البند" +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/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),صورة البند (إن لم يكن عرض الشرائح) +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 +867,Select BOM,حدد مكتب الإدارة @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},من {0} إلى {1} DocType: Item,Copy From Item Group,نسخة من المجموعة السلعة DocType: Journal Entry,Opening Entry,فتح دخول -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,العميل> مجموعة العملاء> الإقليم apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب لدفع فقط DocType: Employee Loan,Repay Over Number of Periods,سداد أكثر من عدد فترات DocType: Stock Entry,Additional Costs,تكاليف إضافية @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,العقارات -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,كشف حساب +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,الصيدلة DocType: Purchase Invoice Item,Is Fixed Asset,هو الأصول الثابتة apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",الكمية المتوفرة {0}، تحتاج {1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,الاستهلاكية +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,الاستهلاكية DocType: Employee,B-,ب- DocType: Upload Attendance,Import Log,سجل الادخالات DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,سحب المواد طلب من نوع صناعة بناء على المعايير المذكورة أعلاه @@ -211,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 +143,At least one mode of payment is required for POS invoice.,مطلوب واسطة واحدة على الأقل من دفع لنقاط البيع فاتورة. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,على سبيل المثال: الرياضيات الأساسية +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/config/hr.py +214,Settings for HR Module,إعدادات وحدة الموارد البشرية DocType: SMS Center,SMS Center,مركز رسائل SMS @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,البنود والتسعير apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},مجموع الساعات: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},من التسجيل ينبغي أن يكون ضمن السنة المالية. على افتراض من التسجيل = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,يقتبس DocType: Customer,Individual,فرد DocType: Interest,Academics User,المستخدمين الأكادميين DocType: Cheque Print Template,Amount In Figure,المبلغ في الشكل @@ -260,12 +261,12 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,تعطيل تخطيط القدرات وتتبع الوقت DocType: Email Digest,New Sales Orders,أوامر المبيعات الجديدة DocType: Bank Guarantee,Bank Account,الحساب المصرفي -DocType: Leave Type,Allow Negative Balance,السماح برصيد إجازات بالسالب +DocType: Leave Type,Allow Negative Balance,السماح للرصيد بالسالب DocType: Employee,Create User,إنشاء مستخدم DocType: Selling Settings,Default Territory,الإقليم الافتراضي apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,تلفزيون DocType: Production Order Operation,Updated via 'Time Log',"تحديث عبر 'وقت دخول """ -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1} DocType: Naming Series,Series List for this Transaction,قائمة متسلسلة لهذه العملية DocType: Company,Enable Perpetual Inventory,تمكين المخزون الدائم DocType: Company,Default Payroll Payable Account,حساب مدفوعات المرتب المعتاد @@ -273,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 +177,For Warehouse is required before Submit,ل مطلوب في معرض النماذج ثلاثية قبل إرسال +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save",التخزين المحلي كامل، لم ينقذ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,اسم جهة الاتصال +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,تاريخ المغادرة يجب أن يكون أكبر من تاريخ الالتحاق بالعمل 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 +189,Warehouse {0} does not belong to company {1},مستودع {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 +270,Litre,لتر +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,إجازة محظورة -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},البند {0} قد بلغ نهايته من الحياة على {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},البند {0} قد بلغ نهايته من الحياة على {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,مدخلات البنك apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,سنوي DocType: Stock Reconciliation Item,Stock Reconciliation Item,جرد عناصر المخزون @@ -315,18 +316,18 @@ 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 +316,People who teach at your organisation,الناس الذين يعلمون في مؤسستك +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,الحد الأدنى لطلب الكمية DocType: Pricing Rule,Supplier Type,المورد نوع DocType: Course Scheduling Tool,Course Start Date,بالطبع تاريخ بدء ,Student Batch-Wise Attendance,طالب دفعة حكيم الحضور -DocType: POS Profile,Allow user to edit Rate,تسمح للمستخدم لتحرير أسعار +DocType: POS Profile,Allow user to edit Rate,السماح للمستخدم بتعديل أسعار DocType: Item,Publish in Hub,نشر في المحور DocType: Student Admission,Student Admission,قبول الطلاب ,Terretory,إقليم -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,البند {0} تم إلغاء +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,البند {0} تم إلغاء apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,طلب المواد DocType: Bank Reconciliation,Update Clearance Date,تحديث تاريخ التخليص DocType: Item,Purchase Details,تفاصيل شراء @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,مدير القافلة apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المنتهية لا يمكن أن تكون أكبر من ""كمية لتصنيع""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,خطأ مرجع دائري @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,لقد تم تعديل دفع الدخول بعد سحبها. يرجى تسحبه مرة أخرى. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} دخلت مرتين في ضريبة الصنف +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} دخلت مرتين في ضريبة الصنف apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ملخص لهذا الأسبوع والأنشطة المعلقة DocType: Student Applicant,Admitted,قُبل DocType: Workstation,Rent Cost,الإيجار التكلفة @@ -403,7 +404,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter '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} -DocType: Item Tax,Tax Rate,ضريبة +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 +849,Select Item,اختر البند apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,فاتورة الشراء {0} تم ترحيلها من قبل @@ -417,12 +418,12 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,تم استلام٪ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,إنشاء مجموعات الطلاب apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,الإعداد الكامل بالفعل ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ملاحظة الائتمان المبلغ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ملاحظة الائتمان المبلغ ,Finished Goods,السلع تامة الصنع DocType: Delivery Note,Instructions,تعليمات DocType: Quality Inspection,Inspected By,تفتيش من قبل DocType: Maintenance Visit,Maintenance Type,صيانة نوع -apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} غير مسجل في الدورة التدريبية {2} +apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} غير مسجل في الدورة {2} apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},رقم المسلسل {0} لا تنتمي إلى التسليم ملاحظة {1} apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext تجريبي apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,إضافة عناصر @@ -436,21 +437,22 @@ apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activit apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +14,Mandatory field - Get Students From,حقل إلزامي - الحصول على الطلاب من DocType: Program Enrollment,Enrolled courses,الدورات المسجلة DocType: Currency Exchange,Currency Exchange,تحويل العملات -DocType: Asset,Item Name,أسم البند +DocType: Asset,Item Name,أسم السلعة DocType: Authorization Rule,Approving User (above authorized value),المستخدم المعتمد (أعلى من القيمة المسموح بها) DocType: Email Digest,Credit Balance,الرصيد الدائن 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 +1456,Create a new Customer,إنشاء العملاء جديد +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عن طريق الإعداد> سلسلة الترقيم apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,إنشاء أوامر الشراء ,Purchase Register,سجل شراء DocType: Course Scheduling Tool,Rechedule,Rechedule DocType: Landed Cost Item,Applicable Charges,الرسوم المطبقة DocType: Workstation,Consumable Cost,التكلفة الاستهلاكية -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +220,{0} ({1}) must have role 'Leave Approver',{0} ({1}) يجب ان تكون صلاحياتك 'مصادق علي الأجازه ' +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +220,{0} ({1}) must have role 'Leave Approver',{0} ({1}) يجب ان تكون صلاحياتك 'مُصادق إجازات ' DocType: Purchase Receipt,Vehicle Date,مركبة التسجيل DocType: Student Log,Medical,طبي apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,السبب لفقدان @@ -469,7 +471,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / مختبرات الخ حيث يمكن جدولة المحاضرات. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,إعدادات العالمية لجميع عمليات التصنيع. DocType: Accounts Settings,Accounts Frozen Upto,حسابات مجمدة حتى DocType: SMS Log,Sent On,ارسلت في -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,السمة {0} اختيار عدة مرات في سمات الجدول +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,السمة {0} اختيار عدة مرات في سمات الجدول DocType: HR Settings,Employee record is created using selected field. ,يتم إنشاء سجل الموظف باستخدام الحقل المحدد. DocType: Sales Order,Not Applicable,لا ينطبق apps/erpnext/erpnext/config/hr.py +70,Holiday master.,العطلة الرئيسية @@ -518,16 +520,16 @@ DocType: Salary Structure,Salary Component for timesheet based payroll.,مكون DocType: Sales Order Item,Used for Production Plan,تستخدم لخطة الإنتاج DocType: Employee Loan,Total Payment,إجمالي الدفعة DocType: Manufacturing Settings,Time Between Operations (in mins),الوقت بين العمليات (في دقيقة) -apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} يتم إلغاؤه حتى لا يمكن إكمال الإجراء +apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} تم إلغاؤه لذلك لا يمكن إكمال الإجراء 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,وBOMs المختارة ليست لنفس البند DocType: Pricing Rule,Valid Upto,صالحة لغاية DocType: Training Event,Workshop,ورشة عمل -apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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/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,ساعات @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,من فضلك ادخل مستودع لل والتي سيتم رفع طلب المواد DocType: Production Order,Additional Operating Cost,تكاليف تشغيل اضافية apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,مستحضرات التجميل -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين DocType: Shipping Rule,Net Weight,الوزن الصافي DocType: Employee,Emergency Phone,الهاتف في حالات الطوارئ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,يشترى @@ -547,7 +549,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 +2428,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,إدارة التعاقد من الباطن @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,إضافة / تعديل الضرائب والرسوم DocType: Purchase Invoice,Supplier Invoice No,رقم فاتورة المورد DocType: Territory,For reference,للرجوع إليها -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",لا يمكن حذف الرقم التسلسلي {0}، كما يتم استخدامه في قيود المخزون +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",لا يمكن حذف الرقم التسلسلي {0}، لانه يتم استخدامها في قيود المخزون apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),إغلاق (الكروم) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,نقل العنصر DocType: Serial No,Warranty Period (Days),فترة الضمان (أيام) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,يرجى تحديد الشركة وحزب النوع الأول apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,السنة المالية / المحاسبة. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,القيم المتراكمة -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",عذراَ ، ارقام المسلسل لا يمكن دمجها +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",عذراَ ، ارقام المسلسل لا يمكن دمجها apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,أنشئ طلب بيع DocType: Project Task,Project Task,عمل مشروع ,Lead Id,معرف مبادرة البيع @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,تخصيص apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,مبيعات المعاده 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,ملاحظة: مجموع الاجازات المخصصة {0} لا ينبغي أن يكون أقل من الاجازات الموافق عليها {1} للفترة +,Total Stock Summary,ملخص إجمالي المخزون DocType: Announcement,Posted By,منشور من طرف DocType: Item,Delivered by Supplier (Drop Ship),سلمت من قبل مزود (هبوط السفينة) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,قاعدة بيانات من العملاء المحتملين. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,قاعدة الب DocType: Quotation,Quotation To,تسعيرة إلى DocType: Lead,Middle Income,الدخل المتوسط apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),افتتاح (الكروم ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,وحدة القياس الافتراضية للالبند {0} لا يمكن تغيير مباشرة لأنك قدمت بالفعل بعض المعاملات (s) مع UOM آخر. سوف تحتاج إلى إنشاء عنصر جديد لاستخدام افتراضي مختلف UOM. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,وحدة القياس الافتراضية للالبند {0} لا يمكن تغيير مباشرة لأنك قدمت بالفعل بعض المعاملات (s) مع UOM آخر. سوف تحتاج إلى إنشاء عنصر جديد لاستخدام افتراضي مختلف UOM. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,المبلغ المخصص لا يمكن أن تكون سلبية apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,يرجى تعيين الشركة DocType: Purchase Order Item,Billed Amt,فوترة AMT @@ -627,7 +630,7 @@ DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,فاتورة المبي apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},مطلوب المرجعية لا والمراجع التسجيل لل {0} DocType: Process Payroll,Select Payment Account to make Bank Entry,اختار الحساب الذي سوف تدفع منه apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",إنشاء سجلات الموظفين لإدارة الإجازات ، ومطالبات النفقات والرواتب -apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,إضافة إلى قاعدة المعارف +apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,إضافة إلى قاعدة المعرفة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,الكتابة الاقتراح DocType: Payment Entry Deduction,Payment Entry Deduction,دفع الاشتراك خصم apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,شخص آخر مبيعات {0} موجود مع نفس الرقم الوظيفي @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,البيانات الرئي DocType: Assessment Plan,Maximum Assessment Score,نتيجة تقييم القصوى apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,تواريخ عملية البنك التحديث apps/erpnext/erpnext/config/projects.py +30,Time Tracking,تتبع الوقت +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,مكره للارسال DocType: Fiscal Year Company,Fiscal Year Company,السنة الحالية للشركة DocType: Packing Slip Item,DN Detail,DN التفاصيل DocType: Training Event,Conference,مؤتمر @@ -667,16 +671,16 @@ DocType: Employee,Passport Number,رقم جواز السفر apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,العلاقة مع Guardian2 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,مدير DocType: Payment Entry,Payment From / To,الدفع من / إلى -apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},الحد الائتماني الجديد هو أقل من المبلغ المستحق الحالي للعميل. الحد الائتماني يجب أن يكون أتلست {0} +apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},الحد الائتماني الجديد هو أقل من المبلغ المستحق الحالي للعميل. الحد الائتماني يجب أن يكون على الأقل {0} DocType: SMS Settings,Receiver Parameter,معامل المستقبل apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,""" بناء على "" و "" مجمع بــ ' لا يمكن أن يتطابقا" DocType: Sales Person,Sales Person Targets,اهداف رجل المبيعات 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 +320,Timesheet created:,الجدول الزمني الانشاء: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,تسجل DocType: GST Settings,GST Settings,إعدادات غست DocType: Selling Settings,Customer Naming By,تسمية العملاء بواسطة @@ -705,7 +709,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 +139,Finish,نهاية +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,نهاية apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,الاساسي DocType: Timesheet,Total Billed Hours,مجموع الساعات وصفت DocType: Journal Entry,Write Off Amount,شطب المبلغ @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,مدينة البائع ,Absent Student Report,تقرير طالب متغيب DocType: Email Digest,Next email will be sent on:,سيتم إرسال البريد الإلكتروني التالي على: DocType: Offer Letter Term,Offer Letter Term,تقديم رسالة الأجل -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,البند لديه المتغيرات. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,السلعة لديها متغيرات. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,البند {0} لم يتم العثور على DocType: Bin,Stock Value,قيمة المخزون apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,الشركة ليست موجوده {0} @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قواعد الأسعار متعددة موجود مع نفس المعايير، يرجى حل النزاع عن طريق تعيين الأولوية. قواعد السعر: {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 كما أنه مرتبط مع 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 +48,Make Timesheet,أنشئ جدول زمني +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,14 +851,14 @@ 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,معلومات عن العائلة DocType: Request for Quotation Supplier,Send Email,إرسال بريد الإلكتروني -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},تحذير: مرفق غير صالح {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,لا يوجد تصريح +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},تحذير: مرفق غير صالح {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,لا يوجد تصريح 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 +269,Nos,غ -DocType: Item,Items with higher weightage will be shown higher,سيتم عرض البنود مع أعلى الترجيح أعلى +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,لا يوجد موظف @@ -872,7 +876,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 +274,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,فتح الاستهلاك المتراكم @@ -902,20 +906,20 @@ apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,جميع مجم DocType: Process Payroll,Activity Log,سجل النشاط apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,صافي الربح / الخسارة apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,شكل رسالة تلقائياً عند تثبيت المعاملة -DocType: Production Order,Item To Manufacture,البند لتصنيع +DocType: Production Order,Item To Manufacture,السلعة لتصنيع apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} الوضع هو {2} DocType: Employee,Provide Email Address registered in company,تقديم عنوان البريد الإلكتروني المسجل في شركة DocType: Shopping Cart Settings,Enable Checkout,تمكين الخروج apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,مدفوعات امر الشراء apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,الكمية المتوقعة DocType: Sales Invoice,Payment Due Date,تاريخ استحقاق السداد -apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,البند البديل {0} موجود بالفعل مع نفس الصفات +apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,السلعة البديلة {0} موجود بالفعل مع نفس الصفات apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','فتح' apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,توسيع المهام DocType: Notification Control,Delivery Note Message,ملاحظة تسليم رسالة DocType: Expense Claim,Expenses,نفقات ,Support Hours,ساعات الدعم -DocType: Item Variant Attribute,Item Variant Attribute,البند البديل سمة +DocType: Item Variant Attribute,Item Variant Attribute,صفات السلعة البديلة ,Purchase Receipt Trends,شراء اتجاهات الإيصال DocType: Process Payroll,Bimonthly,نصف شهري DocType: Vehicle Service,Brake Pad,وسادة الفرامل @@ -945,7 +949,7 @@ DocType: Notification Control,Expense Claim Rejected Message,رسالة رفض DocType: Purchase Taxes and Charges,On Previous Row Total,على إجمالي الصف السابق DocType: Purchase Invoice Item,Rejected Qty,الكمية المرفوضة DocType: Salary Slip,Working Days,أيام عمل -DocType: Serial No,Incoming Rate,الواردة قيم +DocType: Serial No,Incoming Rate,معدل الواردة DocType: Packing Slip,Gross Weight,الوزن الإجمالي apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,اسم الشركة التي كنت تقوم بإعداد هذا النظام. DocType: HR Settings,Include holidays in Total no. of Working Days,العطلات تحسب من ضمن أيام العمل @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,فاتورة الموارد {0} يجب أن تكون نشطة +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} قبل إلغاء هذه الصيانة زيارة -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},رقم المسلسل {0} لا ينتمي إلى البند {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},رقم المسلسل {0} لا ينتمي إلى البند {1} DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب الكمية apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى دفتر الأستاذ. DocType: Bank Reconciliation,Total Amount,المبلغ الكلي لل @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,مكونات apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},الرجاء إدخال الأصول الفئة في البند {0} DocType: Quality Inspection Reading,Reading 6,قراءة 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,لا يمكن {0} {1} {2} من دون أي فاتورة المعلقة السلبية +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,لا يمكن {0} {1} {2} من دون أي فاتورة المعلقة السلبية 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} @@ -998,12 +1002,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 +731,New Sales Invoice,فاتورة مبيعات جديدة +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,تزامن غير متصل الفواتير +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,تزامن غير متصل الفواتير DocType: Payment Request,Paid,مدفوع DocType: Program Fee,Program Fee,رسوم البرنامج DocType: Salary Slip,Total in words,إجمالي بالحروف @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,مادة كيميائية DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,حساب الخزنه / البنك المعتاد سوف يعدل تلقائي في القيود اليوميه للمرتب عند اختيار الوضع. DocType: BOM,Raw Material Cost(Company Currency),الخام المواد التكلفة (شركة العملات) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,كل الأصناف قد تم ترحيلها من قبل لأمر الانتاج هذا. +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 +270,Meter,متر +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,متر DocType: Workstation,Electricity Cost,تكلفة الكهرباء DocType: HR Settings,Don't send Employee Birthday Reminders,عدم ارسال تذكير للموضفين بأعياد الميلاد DocType: Item,Inspection Criteria,معايير التفتيش @@ -1060,15 +1064,15 @@ 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 +452,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير المبلغ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,التوازن مبلغ القرض +DocType: Repayment Schedule,Balance Loan Amount,رصيد مبلغ القرض apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,دورة الجدول الزمني 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 +259,Qty for {0},الكمية ل{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,التواريخ الممنوع اخذ اجازة فيها @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,حساب النقد / البنك apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},الرجاء تحديد {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,العناصر إزالتها مع أي تغيير في كمية أو قيمة. DocType: Delivery Note,Delivery To,التسليم إلى -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,الجدول السمة إلزامي +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,الجدول السمة إلزامي DocType: Production Planning Tool,Get Sales Orders,الحصول على أوامر البيع -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} لا يمكن أن تكون سلبية +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} لا يمكن أن تكون سلبية apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,خصم DocType: Asset,Total Number of Depreciations,إجمالي عدد التلفيات DocType: Sales Invoice Item,Rate With Margin,معدل مع الهامش @@ -1112,13 +1116,13 @@ DocType: Tax Rule,Shipping State,الدولة الشحن ,Projected Quantity as Source,المتوقع الكمية كمصدر apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"الصنف يجب اضافته مستخدما مفتاح ""احصل علي الأصناف من المشتريات المستلمة """ DocType: Employee,A-,أ- -DocType: Production Planning Tool,Include non-stock items,وتشمل البنود غير المالية +DocType: Production Planning Tool,Include non-stock items,اضافة السلع الغير المتوفره apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,مصاريف المبيعات apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,شراء القياسية DocType: GL Entry,Against,ضد DocType: Item,Default Selling Cost Center,الافتراضي البيع مركز التكلفة DocType: Sales Partner,Implementation Partner,شريك التنفيذ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,الرمز البريدي +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1140,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,موزع DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,التسوق شحن العربة القاعدة apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,إنتاج النظام {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',الرجاء تعيين 'تطبيق خصم إضافي على' +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,من المدى يجب أن يكون أقل من أن تتراوح DocType: Global Defaults,Global Defaults,افتراضيات العالمية @@ -1168,10 +1172,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 +22,First 2 digits of GSTIN should match with State number {0},يجب أن يتطابق أول رقمين من غستين مع رقم الدولة {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,خطأ القدرة على التخطيط +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,خطأ القدرة على التخطيط ,Trial Balance for Party,ميزان المراجعة للحزب DocType: Lead,Consultant,مستشار DocType: Salary Slip,Earnings,الكسب @@ -1180,7 +1184,7 @@ apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,فتح مي ,GST Sales Register,غست مبيعات التسجيل DocType: Sales Invoice Advance,Sales Invoice Advance,فاتورة مبيعات المقدمة apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,شيء أن تطلب -apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},سجل الميزانية أخرى '{0}' موجود بالفعل ضد {1} '{2}' للسنة المالية {3} +apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},سجل ميزانية آخر '{0}' موجود بالفعل مقابل{1} '{2}' للسنة المالية {3} apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',""" تاريخ البدء الفعلي "" لا يمكن أن يكون احدث من "" تاريخ الانتهاء الفعلي """ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,إدارة DocType: Cheque Print Template,Payer Settings,إعدادات دافع @@ -1190,8 +1194,8 @@ DocType: Purchase Invoice,Is Return,هو العائد apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,عودة / الخصم ملاحظة DocType: Price List Country,Price List Country,قائمة الأسعار البلد DocType: Item,UOMs,وحدات القياس -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} أرقام متسلسلة صالحة للصنف {1} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,لا يمكن تغيير رمز المدينة لل رقم التسلسلي +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} أرقام متسلسلة صالحة للصنف {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,لا يمكن تغيير رمز السلعة للرقم التسلسلي apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},الملف POS {0} خلقت بالفعل للمستخدم: {1} وشركة {2} DocType: Sales Invoice Item,UOM Conversion Factor,عامل تحويل وحدة القياس apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +24,Please enter Item Code to get Batch Number,الرجاء إدخال رمز المدينة للحصول على رقم الدفعة @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',"مركز تكلفة بالنسبة للبند مع رمز المدينة """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",حسابات أخرى يمكن أن يتم ضمن مجموعات، ولكن يمكن أن يتم مقالات ضد المجموعات غير- @@ -1241,7 +1245,7 @@ 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,عرض ليدجر DocType: Grading Scale,Intervals,فترات apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,اسبق -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",يوجد اسم مجموعة أصناف بنفس الاسم، الرجاء تغيير اسم الصنف أو إعادة تسمية المجموعة +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,العنصر {0} لا يمكن أن يكون دفعة @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,على سبيل المثال: الماجستير في علوم الحاسب الآلي +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,على سبيل المثال: الماجستير في علوم الحاسب الآلي DocType: Purchase Invoice,Rejected Warehouse,رفض مستودع DocType: GL Entry,Against Voucher,مقابل قسيمة DocType: Item,Default Buying Cost Center,مركز التكلفة المشتري الافتراضي @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,اوامر البيع {0} غير صالحه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,مكان الإصدار apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,عقد DocType: Email Digest,Add Quote,إضافة اقتباس -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},معامل التحويل لوحدة القياس مطلوبةل:{0} في البند: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},معامل التحويل لوحدة القياس مطلوبةل:{0} في البند: {1} 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 +736,Sync Master Data,مزامنة البيانات الرئيسية -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,المنتجات أو الخدمات الخاصة بك +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,المنتجات أو الخدمات الخاصة بك DocType: Mode of Payment,Mode of Payment,طريقة الدفع -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,فاتورة المواد apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,هذه هي مجموعة البند الجذرية والتي لا يمكن تحريرها. @@ -1318,18 +1322,17 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee e DocType: Item,Foreign Trade Details,الخارجية تفاصيل تجارة DocType: Email Digest,Annual Income,الدخل السنوي DocType: Serial No,Serial No Details,تفاصيل المسلسل -DocType: Purchase Invoice Item,Item Tax Rate,البند ضريبة +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 +562,Delivery Note {0} is not submitted,تسليم مذكرة {0} لم تقدم +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",يتم تحديد قاعدة الأسعار على أساس حقل 'تطبق في' ، التي يمكن أن تكون بند، مجموعة بنود او علامة التجارية. 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},مركز الإنتاج للطلب هو {0} DocType: Appraisal Goal,Goal,الغاية DocType: Sales Invoice Item,Edit Description,تحرير الوصف ,Team Updates,فريق التحديثات @@ -1345,24 +1348,24 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع الطفل لهذا المستودع. لا يمكنك حذف هذا المستودع. DocType: Item,Website Item Groups,مجموعات الأصناف للموقع DocType: Purchase Invoice,Total (Company Currency),مجموع (شركة العملات) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة +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 +78,{0} items in progress,{0} البنود قيد الأستخدام +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} لا تنتمي إلى الصنف {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,هذا هو عدد المعاملات التي تم إنشاؤها باستخدام مشاركة هذه البادئة DocType: Quality Inspection Reading,Reading 8,قراءة 8 DocType: Sales Partner,Agent,وكيل DocType: Purchase Invoice,Taxes and Charges Calculation,حساب الضرائب والرسوم -DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,كتاب الأصول استهلاك الاستهلاك تلقائيا +DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,كتاب استهلاك الأُصُول المدخلة تلقائيا DocType: BOM Operation,Workstation,محطة العمل DocType: Request for Quotation Supplier,Request for Quotation Supplier,طلب تسعيرة مزود -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,خردوات +apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,هاردوير DocType: Sales Order,Recurring Upto,المتكررة لغاية DocType: Attendance,HR Manager,مدير الموارد البشرية apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,الرجاء اختيار الشركة @@ -1410,20 +1413,19 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,التمهيد 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,تاريخ انتهاء المقرر DocType: Holiday List,Holidays,العطلات DocType: Sales Order Item,Planned Quantity,المخطط الكمية -DocType: Purchase Invoice Item,Item Tax Amount,البند ضريبة المبلغ +DocType: Purchase Invoice Item,Item Tax Amount,مبلغ ضريبة السلعة DocType: Item,Maintain Stock,منتج يخزن apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,مدخلات المخزون التي تم إنشاؤها من قبل لأمر الإنتاج 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 +260,Max: {0},الحد الأقصى: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,سجل الاتصالات. @@ -1431,9 +1433,9 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,مبلغ الشراء DocType: Sales Invoice,Shipping Address Name,الشحن العنوان الاسم apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,دليل الحسابات -DocType: Material Request,Terms and Conditions Content,الشروط والأحكام المحتوى +DocType: Material Request,Terms and Conditions Content,محتويات الشروط والأحكام apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,لا يمكن أن يكون أكبر من 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,البند {0} ليس الأسهم الإغلاق +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,البند {0} ليس الأسهم الإغلاق DocType: Maintenance Visit,Unscheduled,غير المجدولة DocType: Employee,Owned,مالك DocType: Salary Detail,Depends on Leave Without Pay,يعتمد على إجازة بدون مرتب @@ -1442,7 +1444,7 @@ DocType: Pricing Rule,"Higher the number, higher the priority",الرقم الأ DocType: Employee,Better Prospects,آفاق أفضل apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",الصف # {0}: الدفعة {1} فقط {2} الكمية. يرجى تحديد دفعة أخرى توفر {3} الكمية أو تقسيم الصف إلى صفوف متعددة، لتسليم / إصدار من دفعات متعددة DocType: Vehicle,License Plate,لوحة معدنية -DocType: Appraisal,Goals,الغايات +DocType: Appraisal,Goals,الأهداف DocType: Warranty Claim,Warranty / AMC Status,الضمان / AMC الحالة ,Accounts Browser,متصفح الحسابات DocType: Payment Entry Reference,Payment Entry Reference,دفع الدخول المرجعي @@ -1465,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 +273,We buy this Item,نشتري هذه القطعة +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 أرصدة السنة المالية غير مغلق ل @@ -1476,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 +266,Sub Assemblies,التركيبات الفرعية +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,التركيبات الفرعية DocType: Asset,Asset Name,اسم الأصول DocType: Project,Task Weight,الوزن مهمة DocType: Shipping Rule Condition,To Value,إلى القيمة @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,المصدر 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 +239,Asset Category is mandatory for Fixed Asset item,الأصول الفئة إلزامي للبند الأصول الثابتة +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,الأصول الفئة إلزامي للبند الأصول الثابتة apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,لا توجد في جدول الدفع السجلات apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},هذا {0} يتعارض مع {1} عن {2} {3} DocType: Student Attendance Tool,Students HTML,طلاب HTML DocType: POS Profile,Apply Discount,تطبيق الخصم -DocType: Purchase Invoice Item,GST HSN Code,غست هسن كود +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 +283,Packing Slip(s) cancelled,تم إلغاء كشف/كشوف التعبئة @@ -1522,7 +1524,7 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from I 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,الشحن و التخليص الرسوم DocType: Homepage,Company Tagline for website homepage,توجية الشركة للصفحة الرئيسيه بالموقع الألكتروني -DocType: Item Group,Item Group Name,البند اسم المجموعة +DocType: Item Group,Item Group Name,اسم مجموعة السلعة apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,مأخوذ DocType: Student,Date of Leaving,تاريخ مغادرة DocType: Pricing Rule,For Price List,لائحة الأسعار @@ -1530,9 +1532,9 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +27,Executive Search,ا apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,إنشاء العروض DocType: Maintenance Schedule,Schedules,جداول DocType: Purchase Invoice Item,Net Amount,صافي القيمة -apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم إرسالها بحيث لا يمكن إكمال الإجراء -DocType: Purchase Order Item Supplied,BOM Detail No,BOM تفاصيل لا -DocType: Landed Cost Voucher,Additional Charges,رسوم إضافية +apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم إرسالها، ولذلك لا يمكن إكمال الإجراء +DocType: Purchase Order Item Supplied,BOM Detail No,رقم تفاصيل فاتورة الموارد +DocType: Landed Cost Voucher,Additional Charges,تكاليف إضافية DocType: Purchase Invoice,Additional Discount Amount (Company Currency),مقدار الخصم الاضافي (بعملة الشركة) apps/erpnext/erpnext/accounts/doctype/account/account.js +7,Please create new account from Chart of Accounts.,يرجى إنشاء حساب جديد من الرسم البياني للحسابات . DocType: Maintenance Visit,Maintenance Visit,صيانة زيارة @@ -1541,7 +1543,7 @@ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,الكمية الم apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,تحديث تنسيق الطباعة DocType: Landed Cost Voucher,Landed Cost Help,هبطت التكلفة مساعدة DocType: Purchase Invoice,Select Shipping Address,حدد عنوان الشحن -DocType: Leave Block List,Block Holidays on important days.,ايام عطل مهمة يجب العمل فيها +DocType: Leave Block List,Block Holidays on important days.,حظر الاجازات في الايام المهمة apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +71,Accounts Receivable Summary,حسابات المقبوضات ملخص DocType: Employee Loan,Monthly Repayment Amount,الشهري مبلغ السداد apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,الرجاء ضع للمستخدم (ID) في سجل الموظف لوضع الدور الوظيفي للموظف @@ -1557,8 +1559,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 +2573,Default warehouse is required for selected item,المخزن الافتراضي مطلوب للمادة المختارة -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,صندوق +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 +873,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,قائمة المتلقي هو فارغ. يرجى إنشاء قائمة استقبال @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,طريقة السداد DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",إذا تحققت، الصفحة الرئيسية ستكون المجموعة الافتراضية البند للموقع DocType: Quality Inspection Reading,Reading 4,قراءة 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM الافتراضي ل{0} لم يتم العثور على مشروع {1} 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,مهمة جدي apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,جعل الاقتباس apps/erpnext/erpnext/config/selling.py +216,Other Reports,تقارير أخرى DocType: Dependent Task,Dependent Task,العمل تعتمد -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},معامل تحويل وحدة القياس الافتراضية يجب أن تكون 1 في الصف {0} +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 أيام مقدما. 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} DocType: SMS Center,Receiver List,قائمة المرسل اليهم -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,بحث البند +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,أنجزت بالفعل +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/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 +263,Quantity must not be more than {0},لا يجب أن تكون الكمية أكثر من {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,الرقم التعريفي لنقاط البيع للعملاء DocType: Account,Account Name,اسم الحساب apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,من تاريخ لا يمكن أن يكون أكبر من إلى تاريخ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,المسلسل لا {0} كمية {1} لا يمكن أن يكون جزء +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,المسلسل لا {0} كمية {1} لا يمكن أن يكون جزء apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,المورد الرئيسي نوع . 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 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,سيارة الإرسال التسجيل +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,استلام المشتريات {0} غير مرحل DocType: Company,Default Payable Account,حساب Paybal الافتراضي apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",إعدادات عربة التسوق مثل قواعد الشحن، وقائمة الأسعار الخ @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,ايام العطل DocType: Sales Invoice,Packed Items,عناصر معبأة apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,المطالبة الضمان ضد رقم المسلسل DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","استبدال BOM خاص في جميع BOMs الأخرى حيث يتم استخدامه. وسوف يحل محل وصلة BOM القديم، وتحديث التكلفة وتجديد ""BOM انفجار السلعة"" الجدول حسب BOM جديد" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','مجموع' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','مجموع' DocType: Shopping Cart Settings,Enable Shopping Cart,تمكين سلة التسوق DocType: Employee,Permanent Address,العنوان الدائم apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1704,7 +1706,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,تحقيق apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,عرض في العربة apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,مصاريف التسويق -,Item Shortage Report,البند تقرير نقص +,Item Shortage Report,تقرير نقص السلعة apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن، \n يرجى ذكر ""الوزن UOM"" للغاية" DocType: Stock Entry Detail,Material Request used to make this Stock Entry,طلب المواد المستخدمة لانشاء الحركة المخزنية apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,الاستهلاك المقبل التاريخ إلزامي للأصول جديدة @@ -1722,6 +1724,7 @@ DocType: Material Request,Transferred,نقل DocType: Vehicle,Doors,الأبواب apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,إعداد ERPNext كامل! DocType: Course Assessment Criteria,Weightage,الوزن +DocType: Sales 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,يوجد مجموعة العملاء بنفس الاسم الرجاء تغيير اسم العميل أو إعادة تسمية مجموعة العملاء @@ -1738,10 +1741,10 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for 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,مبيعات البند الحكيم سجل +,Item-wise Sales Register,سجل مبيعات الصنف DocType: Asset,Gross Purchase Amount,اجمالي مبلغ المشتريات DocType: Asset,Depreciation Method,طريقة الاستهلاك -apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,غير متصل +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,المتقدم للحصول على وظيفة @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,رئيسي apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,مختلف DocType: Naming Series,Set prefix for numbering series on your transactions,تحديد بادئة للترقيم المتسلسل على المعاملات الخاصة بك DocType: Employee Attendance Tool,Employees HTML,الموظفين HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM الافتراضي ({0}) يجب أن تكون نشطة لهذا البند أو قالبها +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM الافتراضي ({0}) يجب أن تكون نشطة لهذا البند أو قالبها DocType: Employee,Leave Encashed?,إجازات مصروفة نقداً؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصة من الحقل إلزامي DocType: Email Digest,Annual Expenses,المصروفات السنوية @@ -1770,7 +1773,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 +175,Work-in-Progress Warehouse is required before Submit,مطلوب العمل في و التقدم في معرض النماذج ثلاثية قبل إرسال +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,معلومات قانونية ومعلومات عامة أخرى عن بريدا @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,الرقم التسلسلي ودفعات apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,قوة الطالب apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,مقابل قيد اليومية {0} ليس لديه أي لا مثيل لها {1} دخول apps/erpnext/erpnext/config/hr.py +137,Appraisals,تقييمات -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},تكرار المسلسل لا دخل القطعة ل {0} +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}. للسماح على الفواتير، يرجى ضبط إعدادات في شراء @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} يجب أن تعتمد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,دفعة @@ -1806,12 +1809,12 @@ 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 +257,"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 +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.",قائمة المنتجات أو الخدمات التي تشتري أو تبيع الخاص بك. 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: Asset Movement,Asset Movement,حركة الأصول -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,سلة جديدة +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,عجلات @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,الحصول على أصناف من إيصالات الشراء DocType: Serial No,Creation Date,تاريخ الإنشاء apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},البند {0} يظهر عدة مرات في قائمة الأسعار {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق البيع، إذا تم تحديد مطبق للك {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق البيع، إذا تم تحديد مطبق للك {0} DocType: Production Plan Material Request,Material Request Date,المادي طلب التسجيل DocType: Purchase Order Item,Supplier Quotation Item,المورد اقتباس الإغلاق DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,تعطيل إنشاء سجلات المرة ضد أوامر الإنتاج. لا يجوز تعقب عمليات ضد ترتيب الإنتاج @@ -1853,21 +1856,21 @@ DocType: Supplier,Supplier of Goods or Services.,المورد من السلع أ DocType: Budget,Fiscal Year,السنة المالية DocType: Vehicle Log,Fuel Price,أسعار الوقود DocType: Budget,Budget,ميزانية -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,يجب أن تكون ثابتة البند الأصول عنصر غير الأسهم. +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 +209,e.g. 5,على سبيل المثال 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,وبعبارة تكون مرئية بمجرد حفظ فاتورة المبيعات. DocType: Item,Is Sales Item,صنف المبيعات -apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,شجرة مجموعة البند +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 +263,A Product or Service,منتج أو خدمة +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,القيمة الحالية @@ -1890,7 +1893,7 @@ 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,من فضلك ادخل تاريخ المرجعي apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} إدخالات الدفع لا يمكن أن تتم تصفيته من قبل {1} -DocType: Item Website Specification,Table for Item that will be shown in Web Site,الجدول القطعة لأنه سيظهر في الموقع +DocType: Item Website Specification,Table for Item that will be shown in Web Site,جدول السلعة الذي سيظهر في الموقع DocType: Purchase Order Item Supplied,Supplied Qty,الموردة الكمية DocType: Purchase Order Item,Material Request Item,طلب المواد الإغلاق apps/erpnext/erpnext/config/selling.py +75,Tree of Item Groups.,شجرة مجموعات البنود . @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,زوج +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,زوج apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,حدد مكتب الإدارة والكمية للإنتاج DocType: Asset,Depreciation Schedule,جدول الاستهلاك apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,عناوين شركاء المبيعات والاتصالات @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},المجموعة البند لم يرد ذكرها في البند الرئيسي لمادة {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,يجب أن يكون الخصم لحساب حساب المقبوضات +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,يجب أن يكون الخصم لحساب حساب المقبوضات DocType: Shipping Rule Condition,Shipping Amount,مبلغ الشحن -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,إضافة العملاء +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,تسليم @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,حسابات القبض ,Supplier-Wise Sales Analytics,المورد حكيم المبيعات تحليلات apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,أدخل المبلغ المدفوع DocType: Salary Structure,Select employees for current Salary Structure,اختيار الموظفين لهيكل الراتب الحالي +DocType: Sales Invoice,Company Address Name,اسم عنوان الشركة 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)",دورة الأم (ترك فارغة، إذا لم يكن هذا جزءا من دورة الآباء) @@ -1999,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 +269,Unit,وحدة +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,مستودع حيث كنت الحفاظ على المخزون من المواد رفضت @@ -2020,17 +2024,17 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من ترتيب المبيعات، مبيعات فاتورة أو إدخال دفتر اليومية +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: من الوقت وإلى وقت إلزامي. 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/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,تصنيف العملاء حسب المنطقة apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,يجب أن يكون الفرق المبلغ صفر DocType: Project,Gross Margin,هامش الربح الإجمالي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,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/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 +748,Quotation,تسعيرة DocType: Quotation,QTN-,QTN- @@ -2041,7 +2045,7 @@ 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: Opportunity,Customer / Lead Address,العميل/ عنوان الدليل -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},تحذير: شهادة SSL غير صالحة في المرفق {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},تحذير: شهادة SSL غير صالحة في المرفق {0} DocType: Student Admission,Eligibility,جدارة apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",يؤدي مساعدتك في الحصول على العمل، إضافة كافة جهات الاتصال الخاصة بك وأكثر من ذلك كما يؤدي بك DocType: Production Order Operation,Actual Operation Time,الفعلي وقت التشغيل @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,حساب النتيجة الإجمال DocType: Request for Quotation,Manufacturing Manager,مدير التصنيع apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},رقم المسلسل {0} هو تحت الضمان لغاية {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ملاحظة تقسيم التوصيل في حزم. -apps/erpnext/erpnext/hooks.py +87,Shipments,شحنات +apps/erpnext/erpnext/hooks.py +94,Shipments,شحنات DocType: Payment Entry,Total Allocated Amount (Company Currency),إجمالي المبلغ المخصص (شركة العملات) DocType: Purchase Order Item,To be delivered to customer,ليتم تسليمها إلى العملاء DocType: BOM,Scrap Material Cost,التكلفة الخردة المواد -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,رقم المسلسل {0} لا تنتمي إلى أي مستودع +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,رقم المسلسل {0} لا تنتمي إلى أي مستودع DocType: Purchase Invoice,In Words (Company Currency),في الأحرف ( عملة الشركة ) DocType: Asset,Supplier,المورد DocType: C-Form,Quarter,ربع @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,حساب GL قرض الموظف DocType: Leave Application,Total Leave Days,مجموع أيام الإجازة DocType: Email Digest,Note: Email will not be sent to disabled users,ملاحظة: لن يتم إرسالها إلى البريد الإلكتروني للمستخدمين ذوي الاحتياجات الخاصة apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,عدد التفاعل -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,رمز البند> مجموعة المنتجات> العلامة التجارية 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 +408,{0} is mandatory for Item {1},{0} إلزامي للصنف {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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",يرجى تحديد المبلغ المخصص، نوع الفاتورة ورقم الفاتورة في أتلست صف واحد @@ -2091,7 +2094,7 @@ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +94,Sales Orde 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}. +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/hr/page/team_updates/team_updates.js +44,No more updates,لا مزيد من التحديثات @@ -2115,7 +2118,7 @@ DocType: Account,Fixed Asset,الأصول الثابتة apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,جرد المتسلسلة DocType: Employee Loan,Account Info,معلومات الحساب DocType: Activity Type,Default Billing Rate,افتراضي الفواتير أسعار -apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} تم إنشاء مجموعات الطالب. +apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} تم إنشاء مجموعات الطلاب. 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,حساب المستحق @@ -2124,7 +2127,8 @@ 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,المدير التنفيذي DocType: Expense Claim Detail,Expense Claim Detail,تفاصيل المطالبة بالنفقات -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,يرجى تحديد الحساب الصحيح +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,تريبليكات للمورد +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,يرجى تحديد الحساب الصحيح DocType: Item,Weight UOM,وحدة قياس الوزن DocType: Salary Structure Employee,Salary Structure Employee,هيكلية مرتب الموظف DocType: Employee,Blood Group,فصيلة الدم @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,أولياء الأمور 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 +336,Debit To is required,مطلوب الخصم ل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,عرض عمل @@ -2159,13 +2163,13 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},عدد غير مد DocType: BOM Website Operation,BOM Website Operation,BOM موقع عملية apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,عرض عمل apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,.وأوامر الإنتاج (MRP) إنشاء طلبات المواد -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,إجمالي الفاتورة AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,إجمالي الفاتورة AMT DocType: BOM,Conversion Rate,معدل التحويل 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 +305,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} تم تعطيل @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,تدريب الموظف للحدث -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,يلزم {0} أرقاماً تسلسلية للبند {1}. بينما قدمت {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,يلزم {0} أرقاماً تسلسلية للبند {1}. بينما قدمت {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,معدل التقييم الحالي DocType: Item,Customer Item Codes,كود صنف العميل apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,صرف أرباح / خسائر @@ -2199,7 +2203,7 @@ apps/erpnext/erpnext/utilities/activation.py +117,Make Student,جعل الطلا apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},لقد وجهت الدعوة إلى التعاون في هذا المشروع: {0} DocType: Leave Block List Date,Block Date,تاريخ الحظر apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,قدم الآن -apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},الكمية الفعلية {0} / وايتينغ كتي {1} +apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},الكمية الفعلية {0} / الكمية المنتظره {1} DocType: Sales Order,Not Delivered,ولا يتم توريدها ,Bank Clearance Summary,ملخص التخليص البنكى apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",إنشاء وإدارة ملخصات البريد الإلكتروني اليومية والأسبوعية والشهرية. @@ -2208,7 +2212,7 @@ DocType: Stock Reconciliation Item,Current Amount,المبلغ الحالي apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,البنايات DocType: Fee Structure,Fee Structure,هيكل الرسوم DocType: Timesheet Detail,Costing Amount,تكلف مبلغ -DocType: Student Admission,Application Fee,رسم الإستمارة +DocType: Student Admission,Application Fee,رسوم الإستمارة DocType: Process Payroll,Submit Salary Slip,الموافقة كشف الرواتب apps/erpnext/erpnext/controllers/selling_controller.py +162,Maxiumm discount for Item {0} is {1}%,خصم Maxiumm القطعة ل {0} {1} ٪ apps/erpnext/erpnext/stock/doctype/item_price/item_price.js +16,Import in Bulk,استيراد بكميات كبيرة @@ -2220,7 +2224,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 +2454,Select Batch No,حدد الدفعة رقم +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,المبلغ مقدما @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,السماح للمستخدمين DocType: Purchase Order,Customer Mobile No,العميل رقم هاتفك الجوال DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,تتبع الدخل والنفقات منفصل عن القطاعات المنتج أو الانقسامات. DocType: Rename Tool,Rename Tool,إعادة تسمية أداة -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,تحديث التكلفة +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 +438,Show Salary Slip,عرض كشف الراتب apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,الرجاء تعيين المتكررة بعد إنقاذ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,حساب كمية حدد التغيير +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,الرجاء تعيين المتكررة بعد إنقاذ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,إضافة الضرائب +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,حساب الميزانية @@ -2267,6 +2271,7 @@ DocType: Stock Entry,Purchase Receipt No,لا شراء استلام apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,العربون DocType: Process Payroll,Create Salary Slip,إنشاء كشف الرواتب apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,التتبع +DocType: Purchase Invoice Item,HSN/SAC Code,هسن / ساك رمز 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,موظف @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,إجازة علية DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,صيانة جدول التفاصيل DocType: Quality Inspection Reading,Reading 9,قراءة 9 DocType: Supplier,Is Frozen,مجمدة -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,لا يسمح مستودع عقدة مجموعة لتحديد للمعاملات +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,لا يسمح مستودع عقدة مجموعة لتحديد للمعاملات DocType: Buying Settings,Buying Settings,إعدادات الشراء DocType: Stock Entry Detail,BOM No. for a Finished Good Item,رقم فاتورة الموارد لغرض جيد DocType: Upload Attendance,Attendance To Date,الحضور إلى تاريخ @@ -2311,13 +2316,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، فاتورة تحتوي انخفاض الشحن البند. +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.js +153,You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير المعدل إذا BOM اشير اليها مقابل أي بند +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,لالكمية apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},يرجى إدخال الكمية المخططة القطعة ل {0} في {1} الصف @@ -2333,13 +2338,13 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,حالة المشروع DocType: UOM,Check this to disallow fractions. (for Nos),الاختيار هذه لكسور عدم السماح بها. (لNOS) apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,تم إنشاء أوامر الإنتاج التالية: -DocType: Student Admission,Naming Series (for Student Applicant),تسمية سلسلة (لمقدم الطلب طالب) +DocType: Student Admission,Naming Series (for Student Applicant),تسمية تسلسلية (الطالب مقدم الطلب) DocType: Delivery Note,Transporter Name,نقل اسم DocType: Authorization Rule,Authorized Value,القيمة المسموح بها DocType: BOM,Show Operations,مشاهدة العمليات ,Minutes to First Response for Opportunity,دقائق إلى الاستجابة الأولى للفرص apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,إجمالي غائب -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,البند أو مستودع لل صف {0} لا يطابق المواد طلب +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,السلعة أو المستودع للصف {0} لا يطابق طلب المواد apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,وحدة القياس DocType: Fiscal Year,Year End Date,تاريخ نهاية العام DocType: Task Depends On,Task Depends On,المهمة تعتمد على @@ -2430,7 +2435,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},لا يمكن أن تنتج أكثر تفاصيل {0} من المبيعات كمية الطلب {1} +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/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,التالي اتصل بنا عن طريق لا يمكن أن يكون نفس عنوان البريد الإلكتروني الرصاص @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save",التخزين المحلي هو الكامل، لم ينقذ +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,المرجع +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,المرجع DocType: Budget,Cost Center,مركز التكلفة apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,سند # DocType: Notification Control,Purchase Order Message,رسالة امر الشراء @@ -2544,7 +2549,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 +1165,Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,إعدادات المخزون @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,إنجاز المهمة apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ليس في المخزون DocType: Appraisal,HR User,مستخدم الموارد البشرية DocType: Purchase Invoice,Taxes and Charges Deducted,خصم الضرائب والرسوم -apps/erpnext/erpnext/hooks.py +116,Issues,قضايا +apps/erpnext/erpnext/hooks.py +124,Issues,قضايا apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},يجب أن تكون حالة واحدة من {0} DocType: Sales Invoice,Debit To,الخصم ل DocType: Delivery Note,Required only for sample item.,المطلوب فقط لمادة العينة. @@ -2586,12 +2591,13 @@ 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 +12,Debtors,المدينين apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,كبير DocType: Homepage Featured Product,Homepage Featured Product,الصفحة الرئيسية المنتج المميز -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,جميع المجموعات التقييم -apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,الجديد اسم المخزن +apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,جميع مجموعات التقييم +apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,اسم المخزن الجديد apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),إجمالي {0} ({1}) DocType: C-Form Invoice Detail,Territory,إقليم apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,يرجى ذكر أي من الزيارات المطلوبة DocType: Stock Settings,Default Valuation Method,أسلوب التقييم الافتراضي +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,رسوم DocType: Vehicle Log,Fuel Qty,الوقود الكمية DocType: Production Order Operation,Planned Start Time,المخططة بداية DocType: Course,Assessment,تقدير @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,اقتباس {0} تم إلغاء -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,إجمالي المبلغ المستحق +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,إجمالي المبلغ المستحق DocType: Sales Partner,Targets,أهداف DocType: Price List,Price List Master,قائمة الأسعار ماستر DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,جميع معاملات البيع يمكن ان تكون مشارة لعدة ** موظفين مبيعات** بحيث يمكنك تعيين و مراقبة اهداف البيع المحددة ,S.O. No.,S.O. رقم -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},يرجى إنشاء العملاء من الرصاص {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},يرجى إنشاء العملاء من الرصاص {0} DocType: Price List,Applicable for Countries,ينطبق على البلدان apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"يمكن فقط الموافقة علي طلب ايجازة في الحالة ""مقبولة"" و ""مرفوض""" apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},طالب اسم المجموعة هو إلزامي في الصف {0} @@ -2647,14 +2653,15 @@ DocType: Attendance,Leave Type,نوع الاجازة DocType: Purchase Invoice,Supplier Invoice Details,المورد تفاصيل الفاتورة apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب نفقات / قروق ({0}) يجب ان يكون حساب ارباح و خسائر DocType: Project,Copied From,تم نسخها من -apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},اسم خطأ : {0} +apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},الاسم خطأ : {0} apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,نقص apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} غير مترابط مع {2} {3} apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,الحضور للموظف {0} تم وضع علامة بالفعل 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,مجموع صافي +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/config/hr.py +163,Define various loan types,تحديد أنواع القروض المختلفة DocType: Bin,FCFS Rate,FCFS قيم DocType: Payment Reconciliation Invoice,Outstanding Amount,المبلغ المعلقة @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,نقل المواد لت 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.,نسبة خصم يمكن تطبيقها إما ضد قائمة الأسعار أو لجميع قائمة الأسعار. DocType: Purchase Invoice,Half-yearly,نصف سنوية apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,القيود المحاسبية لمخزون +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,لقد سبق أن قيمت معايير التقييم {}. DocType: Vehicle Service,Engine Oil,زيت المحرك -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,الرجاء الإعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية 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,عنوان العميل @@ -2711,7 +2718,7 @@ DocType: Item,FIFO,FIFO apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},الصف # {0}: لا يمكن إرجاع أكثر من {1} للالبند {2} apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,مؤامرة DocType: Item Group,Show this slideshow at the top of the page,تظهر هذه الشرائح في أعلى الصفحة -DocType: BOM,Item UOM,وحدة قياس البند +DocType: BOM,Item UOM,وحدة قياس السلعة DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ الضريبة بعد خصم مبلغ (شركة العملات) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0} DocType: Cheque Print Template,Primary Settings,الإعدادات الأولية @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,كيان قانوني / الفرعية مع مخطط مستقل للحسابات تابعة للمنظمة. DocType: Payment Request,Mute Email,كتم البريد الإلكتروني apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",الغذاء و المشروبات و التبغ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ان تجعل دفع فواتير فقط ضد {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},يمكنك الدفع فقط مقابل الفواتير الغير مدفوعة {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,معدل العمولة لا يمكن أن يكون أكبر من 100 DocType: Stock Entry,Subcontract,قام بمقاولة فرعية apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,الرجاء إدخال {0} أولا @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,طالب ورقة الحضور الشهري apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},موظف {0} وقد طبقت بالفعل ل {1} {2} بين و {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,المشروع تاريخ البدء -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,حتى +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,حتى DocType: Rename Tool,Rename Log,إعادة تسمية الدخول apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,مجموعة الطالب أو جدول الدورات إلزامي DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,الحفاظ على ساعات الفواتير وساعات العمل نفسه على الجدول الزمني @@ -2773,12 +2780,12 @@ DocType: Employee Attendance Tool,Unmarked Attendance,تم تسجيله غير apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,الباحث DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,برنامج انتساب أداة الطلاب apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,الاسم أو البريد الإلكتروني إلزامي -apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,فحص الجودة واردة. +apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,فحص جودة الواردة. DocType: Purchase Order Item,Returned Qty,عاد الكمية DocType: Employee,Exit,خروج apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,نوع الجذر إلزامي DocType: BOM,Total Cost(Company Currency),التكلفة الإجمالية (شركة العملات) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,المسلسل لا {0} خلق +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,المسلسل لا {0} خلق DocType: Homepage,Company Description for website homepage,وصف الشركة للصفة الرئيسيه بالموقع الألكتروني DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",لراحة العملاء، ويمكن استخدام هذه الرموز في أشكال الطباعة مثل الفواتير والسندات التسليم apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,اسم Suplier @@ -2790,7 +2797,7 @@ DocType: Customer Group,Only leaf nodes are allowed in transaction,ويسمح ا DocType: Expense Claim,Expense Approver,موافق النفقات apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,الصف {0}: يجب أن يكون مقدما ضد العملاء الائتمان apps/erpnext/erpnext/accounts/doctype/account/account.js +66,Non-Group to Group,غير المجموعة إلى المجموعة -apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +57,Batch is mandatory in row {0},الدفعة إلزامية في الصف {0} +apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +57,Batch is mandatory in row {0},الدفعة إلزامية على التوالي {0} DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,شراء السلعة استلام الموردة DocType: Payment Entry,Pay,دفع apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,To Datetime,إلى التاريخ والوقت @@ -2798,7 +2805,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS بوابة URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,جداول بالطبع حذفها: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,سجلات للحفاظ على حالة تسليم الرسائل القصيرة DocType: Accounts Settings,Make Payment via Journal Entry,جعل الدفع عن طريق إدخال دفتر اليومية -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,المطبوعة على +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,المطبوعة على DocType: Item,Inspection Required before Delivery,التفتيش المطلوبة قبل تسليم DocType: Item,Inspection Required before Purchase,التفتيش المطلوبة قبل الشراء apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,الأنشطة المعلقة @@ -2830,9 +2837,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,طالب أ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,الحد عبرت apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,والفصل الدراسي مع هذا 'السنة الأكاديمية' {0} و "اسم مصطلح '{1} موجود بالفعل. يرجى تعديل هذه الإدخالات وحاول مرة أخرى. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",كما أن هناك المعاملات الموجودة على البند {0}، لا يمكنك تغيير قيمة {1} +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}",كما أن هناك المعاملات الموجودة على البند {0}، لا يمكنك تغيير قيمة {1} DocType: UOM,Must be Whole Number,يجب أن يكون عدد صحيح DocType: Leave Control Panel,New Leaves Allocated (In Days),الإجازات الجديدة المخصصة (بالأيام) +DocType: Sales Invoice,Invoice Copy,نسخة الفاتورة apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,رقم المسلسل {0} غير موجود DocType: Sales Invoice Item,Customer Warehouse (Optional),مستودع العميل (اختياري) DocType: Pricing Rule,Discount Percentage,نسبة الخصم @@ -2842,7 +2850,7 @@ DocType: Employee Leave Approver,Leave Approver,الموافق علي الاجا apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,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","""المستخدم الذي لديه صلاحية ""الموافقة علي النفقات" +DocType: Expense Claim,"A user with ""Expense Approver"" role","""المستخدم مع صلاحية ""الموافقة علي النفقات" DocType: Landed Cost Item,Receipt Document Type,استلام نوع الوثيقة DocType: Daily Work Summary Settings,Select Companies,اختر الشركات ,Issued Items Against Production Order,الأصناف التي صدرت بحق أمر الإنتاج @@ -2873,12 +2881,14 @@ DocType: Purchase Invoice,Address and Contact,العناوين و التواصل 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,اليوم الأخير من الشهر المقبل -DocType: Support Settings,Auto close Issue after 7 days,السيارات العدد قريبة بعد 7 أيام +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 +305,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,حساب الاهلاك المتراكم DocType: Stock Settings,Freeze Stock Entries,تجميد مقالات المالية +DocType: Program Enrollment,Boarding Student,طالب الصعود DocType: Asset,Expected Value After Useful Life,القيمة المتوقعة بعد حياة مفيدة DocType: Item,Reorder level based on Warehouse,مستوى إعادة الطلب بناء على مستودع DocType: Activity Cost,Billing Rate,أسعار الفواتير @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,الضمان / AMC تفاصيل apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,حدد الطلاب يدويا لمجموعة الأنشطة القائمة DocType: Journal Entry,User Remark,ملاحظة المستخدم DocType: Lead,Market Segment,سوق القطاع -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},المبلغ المدفوع لا يمكن أن يكون أكبر من إجمالي المبلغ المستحق السلبي {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},المبلغ المدفوع لا يمكن أن يكون أكبر من إجمالي المبلغ المستحق السلبي {0} DocType: Employee Internal Work History,Employee Internal Work History,الحركة التاريخيه لعمل الموظف الداخلي apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),إغلاق (الدكتور) DocType: Cheque Print Template,Cheque Size,مقاس الصك -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,رقم المسلسل {0} ليس في الأوراق المالية +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,رقم المسلسل {0} ليس في الأوراق المالية apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,قالب الضريبية لبيع صفقة. DocType: Sales Invoice,Write Off Outstanding Amount,شطب المبلغ المستحق apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},الحساب {0} لا يتطابق مع الشركة {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,إضافة بعض السجلات عينة +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,سلمت بالكامل @@ -2944,20 +2954,20 @@ apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Am 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 +846,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} +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 +418,Customer {0} does not belong to project {1},العميل{0} لا تنتمي لمشروع {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,طلب شراء الزبون apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,رقم المسلسل و الدفعة DocType: Warranty Claim,From Company,من شركة -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع العشرات من معايير التقييم يجب أن يكون {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع العشرات من معايير التقييم يجب أن يكون {0}. 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 +270,Minute,دقيقة +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,دقيقة DocType: Purchase Invoice,Purchase Taxes and Charges,الضرائب والرسوم الشراء ,Qty to Receive,الكمية للاستلام DocType: Leave Block List,Leave Block List Allowed,قائمة اجازات محظورة مفعلة @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,الموالية apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,حساب السحب على المكشوف المصرفي apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,أنشئ كشف راتب apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,الصف # {0}: المبلغ المخصص لا يمكن أن يكون أكبر من المبلغ المستحق. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,تصفح فاتورة الموارد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,تصفح فاتورة الموارد apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,القروض المضمونة DocType: Purchase Invoice,Edit Posting Date and Time,تحرير تاريخ النشر والوقت apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},الرجاء ضبط الحسابات المتعلقة الاستهلاك في الفئة الأصول {0} أو شركة {1} @@ -2994,7 +3004,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 +278,Select Quantity,إختيار الكمية +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,إلغاء الاشتراك من هذا البريد الإلكتروني دايجست @@ -3004,7 +3014,7 @@ DocType: C-Form,II,الثاني DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,المعدل الذي يتم تحويل سعر العملة العملة الأساسية القائمة لالعملاء DocType: Purchase Invoice Item,Net Amount (Company Currency),صافي المبلغ ( بعملة الشركة ) DocType: Salary Slip,Hour Rate,سعرالساعة -DocType: Stock Settings,Item Naming By,البند تسمية بواسطة +DocType: Stock Settings,Item Naming By,تسمية السلعة بواسطة apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},حركة إقفال أخرى {0} تم إنشائها بعد {1} DocType: Production Order,Material Transferred for Manufacturing,المواد المنقولة لغرض التصنيع apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +32,Account {0} does not exists,لا وجود للحساب {0} @@ -3017,6 +3027,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},لا يسمح لتحديث المعاملات المخزنية أقدم من {0} DocType: Purchase Invoice Item,PR Detail,PR التفاصيل DocType: Sales Order,Fully Billed,وصفت تماما +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,المورد> المورد نوع 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 +127,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),الوزن الكلي للحزمة. الوزن الصافي عادة + تغليف المواد الوزن. (للطباعة) @@ -3054,8 +3065,9 @@ 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} لم يرحل DocType: Customs Tariff Number,Tariff Number,عدد التعرفة +DocType: Production Order Item,Available Qty at WIP Warehouse,الكمية المتوفرة في مستودع ويب apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,المتوقع -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},رقم المسلسل {0} لا ينتمي إلى مستودع {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},رقم المسلسل {0} لا ينتمي إلى مستودع {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,ملاحظة : سوف النظام لا تحقق الإفراط التسليم و الإفراط في حجز القطعة ل {0} حيث الكمية أو المبلغ 0 DocType: Notification Control,Quotation Message,رسالة التسعيرة DocType: Employee Loan,Employee Loan Application,طلب قرض للموظف @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,التكلفة هبطت قيمة قسيمة apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,رفعت فواتير من قبل الموردين. DocType: POS Profile,Write Off Account,شطب حساب -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ديبيت نوت أمت +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ديبيت نوت أمت apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,خصم المبلغ 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 +207,e.g. VAT,على سبيل المثال الضريبة +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,التعاقد من الباطن @@ -3087,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 +1945,Please select customer,الرجاء تحديد العملاء +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,الرجاء تحديد العملاء DocType: C-Form,I,أنا DocType: Company,Asset Depreciation Cost Center,مركز تكلفة إستهلاك الأصول DocType: Sales Order Item,Sales Order Date,تاريخ اوامر البيع @@ -3107,7 +3119,7 @@ DocType: Account,Payable,المستحقة apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,الرجاء إدخال فترات السداد apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),المدينين ({0}) DocType: Pricing Rule,Margin,هامش -apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,الزبائن الجدد +apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,العملاء الجدد apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,الربح الإجمالي٪ DocType: Appraisal Goal,Weightage (%),الوزن(٪) DocType: Bank Reconciliation Detail,Clearance Date,إزالة التاريخ @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,معالجة التفاصيل apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,الطرف إلزامي DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,اسم الموضوع -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,يجب اختيار واحدة على الاقل من المبيعات او المشتريات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,يجب اختيار واحدة على الاقل من المبيعات او المشتريات apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,حدد طبيعة عملك. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},الصف # {0}: إدخال مكرر في المراجع {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,حيث تتم عمليات التصنيع. @@ -3124,8 +3136,8 @@ 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} DocType: Employee,Confirmation Date,تاريخ تأكيد التسجيل -DocType: C-Form,Total Invoiced Amount,إجمالي مبلغ بفاتورة -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,الحد الأدنى من الكمية لا يمكن أن تكون أكبر من الحد الاعلى من الكمية +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,الحد الأدنى من الكمية لا يمكن أن تكون أكبر من الحد الاعلى من الكمية DocType: Account,Accumulated Depreciation,مجمع الإستهلاك DocType: Stock Entry,Customer or Supplier Details,العملاء أو الموردين بيانات DocType: Employee Loan Application,Required by Date,مطلوب حسب التاريخ @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,الأصنا apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,اسم الشركة لا يمكن تكون شركة apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,عنوان الرسالة لطباعة النماذج apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,عناوين نماذج الطباعة مثل الفاتورة الأولية. +DocType: Program Enrollment,Walking,المشي DocType: Student Guardian,Student Guardian,الجارديان طالب apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,اتهامات نوع التقييم لا يمكن وضع علامة الشاملة DocType: POS Profile,Update Stock,تحديث المخزون -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,المورد> المورد نوع apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,سوف UOM مختلفة لعناصر تؤدي إلى غير صحيحة ( مجموع ) صافي قيمة الوزن . تأكد من أن الوزن الصافي من كل عنصر في نفس UOM . apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM أسعار DocType: Asset,Journal Entry for Scrap,إدخال دفتر اليومية للخردة @@ -3169,7 +3181,7 @@ apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Co DocType: Purchase Invoice,Terms,الأحكام DocType: Academic Term,Term Name,اسم المدى DocType: Buying Settings,Purchase Order Required,مطلوب امر الشراء -,Item-wise Sales History,الحركة التاريخيه وفقا للصنف +,Item-wise Sales History,الحركة التاريخيه للمبيعات وفقا للصنف DocType: Expense Claim,Total Sanctioned Amount,الإجمالي الكمية الموافق عليه ,Purchase Analytics,تحليلات المشتريات DocType: Sales Invoice Item,Delivery Note Item,ملاحظة تسليم السلعة @@ -3209,7 +3221,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,مشاهدة الضرائب تفكك apps/erpnext/erpnext/accounts/party.py +308,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,أي طالب يتم العثور @@ -3228,14 +3239,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,لا يوجد طلاب في +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 +108,Please enter 'Expected Delivery Date',"يرجى إدخال "" التاريخ المتوقع تسليم '" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,غستين غير صالح أو أدخل نا لغير المسجلين +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,غستين غير صالح أو أدخل نا لغير المسجلين DocType: Training Event,Seminar,ندوة DocType: Program Enrollment Fee,Program Enrollment Fee,رسوم التسجيل برنامج DocType: Item,Supplier Items,المورد الأصناف @@ -3265,21 +3276,23 @@ DocType: Sales Team,Contribution (%),مساهمة (٪) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"ملاحظة : لن يتم إنشاء الدفع منذ دخول ' النقد أو البنك الحساب "" لم يتم تحديد" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,المسؤوليات DocType: Expense Claim Account,Expense Claim Account,حساب مطالبات النفقات +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية ل {0} عبر الإعداد> إعدادات> تسمية السلسلة 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 في الجدول -DocType: POS Item Group,Item Group,مجموعة البند +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. DocType: Stock Reconciliation Item,Before reconciliation,قبل المصالحة apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},إلى {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),الضرائب والرسوم المضافة (عملة الشركة) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,البند ضريبة صف {0} يجب أن يكون في الاعتبار نوع ضريبة الدخل أو المصاريف أو إتهام أو +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ضريبة السلعة صف {0} يجب أن يكون في الاعتبار نوع ضريبة أو الدخل أو المصروفات أو رسوم DocType: Sales Order,Partly Billed,تم فوترتها جزئيا apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,البند {0} يجب أن تكون ثابتة بند الأصول DocType: Item,Default BOM,الافتراضي BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,الخصم ملاحظة المبلغ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,الخصم ملاحظة المبلغ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,الرجاء إعادة الكتابة اسم الشركة لتأكيد -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,إجمالي المعلقة AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,إجمالي المعلقة AMT DocType: Journal Entry,Printing Settings,إعدادات الطباعة DocType: Sales Invoice,Include Payment (POS),تشمل الدفع (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},يجب أن يكون إجمالي الخصم يساوي إجمالي الائتمان . @@ -3287,19 +3300,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,السي DocType: Vehicle,Insurance Company,شركة التأمين DocType: Asset Category Account,Fixed Asset Account,حساب الأصول الثابتة apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,متغير -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,من التسليم ملاحظة +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,من التسليم ملاحظة DocType: Student,Student Email Address,طالب عنوان البريد الإلكتروني DocType: Timesheet Detail,From Time,من وقت apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,في المخزن: DocType: Notification Control,Custom Message,رسالة مخصصة apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,الخدمات المصرفية الاستثمارية apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,اجباري حساب الخزنه او البنك لادخال المدفوعات -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عن طريق الإعداد> سلسلة الترقيم apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,عنوان الطالب 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 +1517,Address Name,اسم عنوان +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,اسم عنوان DocType: Stock Entry,From BOM,من BOM DocType: Assessment Code,Assessment Code,كود التقييم apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,الأساسية @@ -3316,15 +3328,15 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة +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/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 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 +1874,Enter value must be positive,يجب أن يكون إدخال قيمة ايجابية +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/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.,والتحق بالفعل طالب. @@ -3333,7 +3345,7 @@ DocType: Process Payroll,Process Payroll,عملية دفع الرواتب apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,هناك عطلات أكثر من أيام العمل هذا الشهر. DocType: Product Bundle Item,Product Bundle Item,المنتج حزمة البند DocType: Sales Partner,Sales Partner Name,اسم المندوب -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,طلب الاقتباسات +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,طلب الاقتباسات DocType: Payment Reconciliation,Maximum Invoice Amount,الحد الأقصى للمبلغ الفاتورة DocType: Student Language,Student Language,اللغة طالب apps/erpnext/erpnext/config/selling.py +23,Customers,الزبائن @@ -3343,7 +3355,7 @@ DocType: Asset,Partially Depreciated,استهلكت جزئيا DocType: Issue,Opening Time,يفتح من الساعة apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,من و إلى مواعيد apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,الأوراق المالية والبورصات -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للخيار '{0}' يجب أن يكون نفس في قالب '{1}' +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 +847,No Items with Bill of Materials to Manufacture,لا الأصناف مع بيل من مواد لتصنيع @@ -3361,7 +3373,7 @@ 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 +266,Raw Material,المواد الخام +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,المبلغ الضريبي بعد خصم المبلغ @@ -3373,20 +3385,19 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,يجب فتح التسجيل يكون قبل تاريخ الإنتهاء -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية ل {0} عبر الإعداد> إعدادات> تسمية السلسلة 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,إنشاء كشوفات الرواتب -DocType: Item,Item Code for Suppliers,رمز البند للموردين +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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',لا يمكن أن تقتطع عند الفئة هو ل ' التقييم ' أو ' تقييم وتوتال ' -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0} +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,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/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,حركة بنكية DocType: Authorization Rule,Applicable To (Designation),تنطبق على (تعيين) @@ -3399,11 +3410,11 @@ DocType: Production Planning Tool,Get Material Request,الحصول على ال apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,المصروفات البريدية apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),إجمالي (AMT) apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,الترفيه والترويح -DocType: Quality Inspection,Item Serial No,البند رقم المسلسل +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 +270,Hour,الساعة +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,غير مصرح لك الموافقة على المغادرات التي في التواريخ المحظورة @@ -3413,7 +3424,7 @@ 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 +645,Point of Sale,نقااط البيع +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,نقااط البيع DocType: Payment Entry,Received Amount,المبلغ الوارد DocType: GST Settings,GSTIN Email Sent On,غستن تم إرسال البريد الإلكتروني DocType: Program Enrollment,Pick/Drop by Guardian,اختيار / قطرة من قبل الجارديان @@ -3421,15 +3432,15 @@ DocType: Production Planning Tool,"Create for full quantity, ignoring quantity a DocType: Account,Tax,ضريبة apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,لم يتم وضع علامة DocType: Production Planning Tool,Production Planning Tool,إنتاج أداة تخطيط المنزل -apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry",لا يمكن تحديث العنصر المعزز {0} باستخدام "تسوية المخزون"، بدلا من ذلك استخدام "إدخال المخزون" +apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","لا يمكن تحديث العنصر المدفوع {0} باستخدام ""تسوية المخزون""، بدلا من ذلك استخدام ""إدخال المخزون""" DocType: Quality Inspection,Report Date,تقرير تاريخ DocType: Student,Middle Name,الاسم الأوسط 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 +270,Gram,قرام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,يجب أن تكون الكمية لصنع أكبر من 0. +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/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 وحدة. @@ -3454,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 +465,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,وضع علامة الحضور لعدة موظفين @@ -3493,7 +3504,7 @@ 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 +436,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0} DocType: Leave Allocation,Unused leaves,إجازات غير مستخدمة apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,كر DocType: Tax Rule,Billing State,الدولة الفواتير @@ -3540,13 +3551,13 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},السمة غير صالحة {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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.,اختياري . سيتم استخدام هذا الإعداد لتصفية في المعاملات المختلفة. -apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,لا يسمح السلبية قيم التقييم +apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,معدل التقييم السالب غير مسموح به DocType: Holiday List,Weekly Off,العطلة الأسبوعية DocType: Fiscal Year,"For e.g. 2012, 2012-13",ل، 2012 على سبيل المثال 2012-13 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +96,Provisional Profit / Loss (Credit),الربح المؤقت / الخسارة (الائتمان) @@ -3638,16 +3649,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,مكون الراتب DocType: Program Enrollment Tool,New Academic Year,العام الدراسي الجديد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,عودة / الائتمان ملاحظة DocType: Stock Settings,Auto insert Price List rate if missing,إدراج تلقائي لقائمة الأسعار إن لم تكن موجودة -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,إجمالي المبلغ المدفوع +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,إجمالي المبلغ المدفوع DocType: Production Order Item,Transferred Qty,نقل الكمية apps/erpnext/erpnext/config/learn.py +11,Navigating,التنقل 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 +272,We sell this Item,نبيع هذه القطعة +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,نموذج البيانات 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,تاريخ نصف اليوم @@ -3658,7 +3671,7 @@ 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} DocType: Assessment Result,Student Name,أسم الطالب -DocType: Brand,Item Manager,مدير البند +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,إجمالي تكاليف التشغيل @@ -3695,7 +3708,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 +1186,Please set Company,يرجى تعيين الشركة +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,يرجى تعيين الشركة DocType: Pricing Rule,Buying,شراء DocType: HR Settings,Employee Records to be created by,سجلات الموظفين المراد إنشاؤها من قبل DocType: POS Profile,Apply Discount On,تطبيق خصم على @@ -3705,19 +3718,20 @@ DocType: Assessment Plan,Assessment Name,اسم تقييم apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,الصف # {0}: لا المسلسل إلزامي 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,البند الحكيمة قائمة الأسعار قيم +,Item-wise Price List Rate,معدل قائمة الأسعار للصنف apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,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,جمع الرسوم DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},الباركود {0} مستخدم بالفعل في الصنف {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},الباركود {0} مستخدم بالفعل في الصنف {1} DocType: Lead,Add to calendar on this date,إضافة إلى التقويم في هذا التاريخ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن. DocType: Item,Opening Stock,فتح المخزون apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,طلبات العميل apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} إلزامية من أجل العودة DocType: Purchase Order,To Receive,تلقي +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,البريد الالكتروني الشخصية apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,مجموع الفروق DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",إذا مكن، سيقوم النظام إضافة القيود المحاسبية للمخزون تلقائيا. @@ -3729,7 +3743,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 +541,POS Profile required to make POS Entry,POS الملف المطلوب لجعل الدخول POS +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,البيع القياسية @@ -3737,7 +3751,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,لا تغطيه الضمان DocType: BOM Replace Tool,Replace,استبدل apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,لم يتم العثور على منتجات. -DocType: Production Order,Unstopped,تتفتح apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} مقابل فاتورة المبيعات {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,اسم المشروع @@ -3748,6 +3761,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} 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,9 +3798,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,البند {0} تجاهلها لأنه ليس بند الأوراق المالية +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 +40,Submit this Production Order for further processing.,يقدم هذا ترتيب الإنتاج لمزيد من المعالجة . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,وظائف @@ -3794,12 +3808,14 @@ 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 +209,Rate (%),معدل ( ٪ ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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/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 +788,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",إضافة مستخدمين إلى مؤسستك، وغيرها من نفسك +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',الرجاء تعيين فلتر الشركة فارغا إذا كانت المجموعة بي هي 'كومباني' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,تاريخ النشر لا يمكن أن يكون تاريخ مستقبلي apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},الصف # {0}: المسلسل لا {1} لا يتطابق مع {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,أجازة عادية @@ -3828,7 +3844,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,حركة سجل المخزن apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,البند {0} ليس الإعداد ل مسلسل رقم العمود يجب أن يكون فارغا +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,البند {0} ليس الإعداد ل مسلسل رقم العمود يجب أن يكون فارغا DocType: Accounts Settings,Accounts Settings,إعدادات الحسابات apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,وافق DocType: Customer,Sales Partner and Commission,مبيعات الشريك واللجنة @@ -3843,7 +3859,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 Explosion Item DocType: Account,Auditor,مدقق حسابات -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0}العناصر المنتجه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,عودة @@ -3857,7 +3873,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,سعر الصرف -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,اوامر البيع {0} لم ترسل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,إدارة سريعة @@ -3866,7 +3882,7 @@ 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,أخر سعر توريد DocType: Account,Asset,الأصول -DocType: Project Task,Task ID,ID مهمة +DocType: Project Task,Task ID,رقم المهمة apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,الأوراق المالية لا يمكن أن توجد القطعة ل{0} منذ ديه المتغيرات ,Sales Person-wise Transaction Summary,ملخص المبيعات بناء على رجل المبيعات DocType: Training Event,Contact Number,رقم الاتصال @@ -3882,18 +3898,18 @@ 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 +705,Online,على الانترنت +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,Online,على الانترنت ,Available Stock for Packing Items,المخزون المتاج للأصناف المعبأة -DocType: Item Variant,Item Variant,البديل البند +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 +866,Submitted orders can not be deleted,لا يمكن حذف أوامر المقدمة +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} DocType: Employee Loan,Repay Fixed Amount per Period,سداد مبلغ ثابت في الفترة apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},الرجاء إدخال كمية القطعة ل {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ملاحظة ائتمان +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ملاحظة ائتمان DocType: Employee External Work History,Employee External Work History,تاريخ عمل الموظف خارج الشركة DocType: Tax Rule,Purchase,الشراء apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,الكمية المتاحة @@ -3918,7 +3934,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 +2383,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة DocType: Employee,Encashment Date,تاريخ التحصيل DocType: Training Event,Internet,الإنترنت DocType: Account,Stock Adjustment,الأسهم التكيف @@ -3947,6 +3963,7 @@ DocType: Guardian,Guardian Of ,الجارديان DocType: Grading Scale Interval,Threshold,العتبة DocType: BOM Replace Tool,Current BOM,قائمة المواد الحالية apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,إضافة رقم تسلسلي +DocType: Production Order Item,Available Qty at Source Warehouse,الكمية المتاحة في مستودع المصدر apps/erpnext/erpnext/config/support.py +22,Warranty,الضمان DocType: Purchase Invoice,Debit Note Issued,الخصم مذكرة صادرة DocType: Production Order,Warehouses,المستودعات @@ -3962,17 +3979,17 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,المبلغ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,مدير المشروع ,Quoted Item Comparison,ونقلت البند مقارنة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,إيفاد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,أعلى خصم مسموح به للمنتج : {0} هو {1}٪ +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 +279,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 +879,Select Items to Manufacture,حدد العناصر لتصنيع -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",مزامنة البيانات الرئيسية، قد يستغرق بعض الوقت +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",مزامنة البيانات الرئيسية، قد يستغرق بعض الوقت DocType: Item,Material Issue,صرف مواد DocType: Hub Settings,Seller Description,وصف البائع DocType: Employee Education,Qualification,المؤهل -DocType: Item Price,Item Price,سعر البند +DocType: Item Price,Item Price,سعر السلعة apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +48,Soap & Detergent,الصابون والمنظفات DocType: BOM,Show Items,إظهار العناصر apps/erpnext/erpnext/schools/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,من الوقت لا يمكن أن يكون أكبر من أن الوقت. @@ -3992,11 +4009,11 @@ 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 +200,Cannot cancel because submitted Stock Entry {0} exists,لا يمكن إلغاء الاشتراك بسبب الحركة المخزنية {0} موجود +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,لا يمكن إلغاء الاشتراك بسبب الحركة المخزنية {0} موجود DocType: Employee Loan,Disbursement Date,صرف التسجيل DocType: Vehicle,Vehicle,مركبة DocType: Purchase Invoice,In Words,في كلمات -DocType: POS Profile,Item Groups,المجموعات البند +DocType: POS Profile,Item Groups,مجموعات السلعة apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,اليوم هو {0} 'عيد ميلاد! DocType: Production Planning Tool,Material Request For Warehouse,طلب للحصول على المواد مستودع DocType: Sales Order Item,For Production,للإنتاج @@ -4012,7 +4029,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","لتعيين هذه السنة المالية كما الافتراضي، انقر على ' تعيين كافتراضي """ apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,انضم apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,نقص الكمية -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,البديل البند {0} موجود مع نفس الصفات +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,السلعة البديلة {0} موجود مع نفس الصفات DocType: Employee Loan,Repay from Salary,سداد من الراتب DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},طلب دفع مقابل {0} {1} لمبلغ {2} @@ -4030,18 +4047,18 @@ 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 +1011,It is needed to fetch Item Details.,هناك حاجة لجلب البند التفاصيل. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,رقم المسلسل {0} وقد وردت بالفعل +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: Expense Claim,Vehicle Log,دخول السيارة DocType: Purchase Invoice,Recurring Id,رقم المتكررة DocType: Customer,Sales Team Details,تفاصيل فريق المبيعات -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,حذف بشكل دائم؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},باطلة {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},باطلة {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,الإجازات المرضية DocType: Email Digest,Email Digest,البريد الإلكتروني دايجست DocType: Delivery Note,Billing Address Name,الفواتير اسم العنوان @@ -4054,6 +4071,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,تحمل DocType: Company,Change Abbreviation,تغيير اختصار DocType: Expense Claim Detail,Expense Date,تاريخ النفقات +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,رمز البند> مجموعة المنتجات> العلامة التجارية DocType: Item,Max Discount (%),أعلى خصم (٪) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,كمية آخر طلب DocType: Task,Is Milestone,هو معلم @@ -4077,8 +4095,8 @@ DocType: Program Enrollment Tool,New Program,برنامج جديد DocType: Item Attribute Value,Attribute Value,السمة القيمة ,Itemwise Recommended Reorder Level,يوصى به Itemwise إعادة ترتيب مستوى DocType: Salary Detail,Salary Detail,تفاصيل الراتب -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,الرجاء اختيار {0} الأولى -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,دفعة {0} من البند {1} قد انتهت صلاحيتها. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,الرجاء اختيار {0} الأولى +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,دفعة {0} من البند {1} قد انتهت صلاحيتها. DocType: Sales Invoice,Commission,عمولة apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ورقة الوقت للتصنيع. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,حاصل الجمع @@ -4103,12 +4121,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 +399,Operation Time must be greater than 0 for Operation {0},عملية الوقت يجب أن تكون أكبر من 0 لعملية {0} +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/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 +387,Production Order cannot be raised against a Item Template,لا يمكن رفع إنتاج النظام ضد قالب البند +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,تاريخ البدء @@ -4138,7 +4156,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,التخلص من التسجيل DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",سيتم إرسال رسائل البريد الإلكتروني لجميع الموظفين العاملين في الشركة في ساعة معينة، إذا لم يكن لديهم عطلة. سيتم إرسال ملخص ردود في منتصف الليل. DocType: Employee Leave Approver,Employee Leave Approver,الموافق علي اجازة الموظف -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة ترتيب موجود بالفعل لهذا المستودع {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة ترتيب موجود بالفعل لهذا المستودع {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",لا يمكن ان تعلن بانها فقدت ، لأن أحرز اقتباس . 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} يجب أن تقدم @@ -4171,6 +4189,7 @@ DocType: Announcement,Student,طالب علم apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,وحدة المؤسسة ( قسم) الرئيسي. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,الرجاء إدخال غ المحمول صالحة apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,من فضلك ادخل الرسالة قبل إرسالها +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,تنويه للمورد DocType: Email Digest,Pending Quotations,في انتظار الاقتباسات apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,نقطة من بيع الشخصي apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,يرجى تحديث إعدادات SMS @@ -4179,7 +4198,7 @@ DocType: Cost Center,Cost Center Name,اسم مركز تكلفة DocType: Employee,B+,ب+ DocType: HR Settings,Max working hours against Timesheet,اقصى عدد ساعات عمل بسجل التوقيت DocType: Maintenance Schedule Detail,Scheduled Date,المقرر تاريخ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,مجموع المبالغ المدفوعة AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,مجموع المبالغ المدفوعة AMT DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,الرسائل المحتوية على اكثر من 160 حرف ستقسم الى عدة رسائل DocType: Purchase Receipt Item,Received and Accepted,تلقت ومقبول ,GST Itemised Sales Register,غست موزعة المبيعات التسجيل @@ -4189,7 +4208,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 +237,Your Suppliers,الموردون +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',لا يمكن أن تقتطع عند الفئة هي ل 'تقييم' أو 'Vaulation وتوتال' @@ -4201,7 +4220,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,الموقع صورة {0} تعلق على البند {1} لا يمكن العثور +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.,قائمة هذا البند في مجموعات متعددة على شبكة الانترنت. @@ -4216,14 +4235,14 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,مجال ع apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,لمستودع apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,قبولات كل الطلبة ,Average Commission Rate,متوسط العمولة -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""لهُ رقم تسلسل"" لا يمكن ان يكون ""نعم"" لبند غير قابل للتخزين" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""لهُ رقم تسلسل"" لا يمكن ان يكون ""نعم"" لبند غير قابل للتخزين" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,لا يمكن أن ىكون تاريخ الحضور تاريخ مستقبلي DocType: Pricing Rule,Pricing Rule Help,تعليمات قاعدة التسعير DocType: School House,House Name,اسم المنزل DocType: Purchase Taxes and Charges,Account Head,رئيس حساب apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,تحديث تكاليف إضافية لحساب تكلفة هبطت من البنود apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,كهربائي -apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,تضاف بقية المؤسسة أن المستخدمين لديك. يمكنك أيضا إضافة تدعو العملاء إلى موقع البوابة عن طريق إضافتها من اتصالات +apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,أضف ما تبقى من مؤسستك مثل المستخدمين. يمكنك أيضا إضافة دعوه للعملاء إلى الموقع وذلك عن طريق إضافتها من جهات الاتصال DocType: Stock Entry,Total Value Difference (Out - In),إجمالي قيمة الفرق (خارج - في) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,الصف {0}: سعر صرف إلزامي apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},هوية المستخدم لم يتم تعيين موظف ل {0} @@ -4232,7 +4251,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 +339,Debit To account must be a Balance Sheet account,يجب أن يكون الخصم لحساب حساب الميزانية العمومية +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,يجب أن يكون تاريخ بدء التأمين أقل من تاريخ التأمين النهاية @@ -4247,20 +4266,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},كشف راتب الموظف {0} تم إنشاؤه مسبقا على سجل التوقيت {1} DocType: Vehicle Log,Odometer,عداد المسافات DocType: Sales Order Item,Ordered Qty,أمرت الكمية -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,البند هو تعطيل {0} +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 +874,BOM does not contain any stock item,BOM لا يحتوي على أي بند الأوراق المالية +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,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,تفاصيل إعادة التزود بالوقود apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,إنشاء كشوفات الرواتب -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق الشراء، إذا تم تحديد مطبق للك {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق الشراء، إذا تم تحديد مطبق للك {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,يجب أن يكون الخصم أقل من 100 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 +500,Default BOM for {0} not found,BOM الافتراضي ل{0} لم يتم العثور -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,الصف # {0}: الرجاء تعيين كمية إعادة الطلب +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,برنامج التسجيل DocType: Landed Cost Voucher,Landed Cost Voucher,هبطت التكلفة قسيمة @@ -4288,7 +4307,7 @@ 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.","مثال: ABCD ##### إذا تم تعيين سلسلة وليس المذكورة لا المسلسل في المعاملات، سيتم إنشاء الرقم التسلسلي ثم تلقائي على أساس هذه السلسلة. إذا كنت تريد دائما أن يذكر صراحة المسلسل رقم لهذا البند. ترك هذا فارغا." DocType: Upload Attendance,Upload Attendance,رفع الحضور -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,ويلزم BOM والتصنيع الكمية +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,مطلوب، قائمة مكونات المواد و كمية التصنيع 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 @@ -4320,7 +4339,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,التاريخ المتوقع لا يمكن أن يكون قبل تاريخ طلب المواد DocType: Purchase Invoice Item,Stock Qty,الأسهم الكمية -DocType: Production Order,Source Warehouse (for reserving Items),مصدر المستودعات (للحجز وحدات) DocType: Employee Loan,Repayment Period in Months,فترة السداد في شهرين apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,خطأ: لا بطاقة هوية صالحة؟ DocType: Naming Series,Update Series Number,تحديث الرقم المتسلسل @@ -4368,7 +4386,7 @@ DocType: Production Order,Planned End Date,تاريخ الانتهاء المخ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,حيث يتم تخزين العناصر. DocType: Request for Quotation,Supplier Detail,المورد التفاصيل apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},خطأ في الصيغة أو الشرط: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,مبلغ بفاتورة +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,مبلغ بفاتورة DocType: Attendance,Attendance,الحضور apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,المخزن عناصر DocType: BOM,Materials,المواد @@ -4376,7 +4394,7 @@ DocType: Leave Block List,"If not checked, the list will have to be added to eac apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,المصدر والهدف مستودع لا يمكن أن يكون نفس apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,قالب الضرائب لشراء صفقة. -,Item Prices,البند الأسعار +,Item Prices,أسعار السلعة DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,وبعبارة تكون مرئية بمجرد حفظ أمر الشراء. DocType: Period Closing Voucher,Period Closing Voucher,فترة الإغلاق قسيمة apps/erpnext/erpnext/config/selling.py +67,Price List master.,قائمة الأسعار الرئيسية. @@ -4408,10 +4426,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,إعداد موقع بسيط لمنظمتي +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة السمة للسمة {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة السمة للسمة {0} DocType: Item,Default Warehouse,النماذج الافتراضية apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},الميزانيه لا يمكن تحديدها مقابل حساب جماعي{0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,الرجاء إدخال مركز تكلفة الأصل @@ -4470,7 +4488,7 @@ 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 +1344,Select or add new customer,تحديد أو إضافة عميل جديد +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/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,ويستند هذا على حضور هذا الموظف @@ -4478,6 +4496,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,تاريخ بدء العام DocType: Attendance,Employee Name,اسم الموظف DocType: Sales Invoice,Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,الرجاء الإعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية 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 +231,{0} {1} has been modified. Please refresh.,تم تعديل {0} {1}، يرجى تحديث الصفحة من المتصفح DocType: Leave Block List,Stop users from making Leave Applications on following days.,وقف المستخدمين من طلب إجازة في الأيام التالية. @@ -4500,7 +4519,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,قراءة 3 ,Hub,محور DocType: GL Entry,Voucher Type,نوع السند -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,قائمة الأسعار لم يتم العثور أو تعطيلها +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} يجب أن يتم تعيينه ' مغادر ' @@ -4520,7 +4539,7 @@ DocType: POS Profile,Account for Change Amount,حساب لتغيير المبل apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},الصف {0}: حزب / حساب لا يتطابق مع {1} / {2} في {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,الرجاء إدخال حساب المصاريف DocType: Account,Stock,المخزون -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من طلب شراء، شراء فاتورة أو إدخال دفتر اليومية +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من طلب شراء، شراء فاتورة أو إدخال دفتر اليومية DocType: Employee,Current Address,العنوان الحالي DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",إذا كان البند هو البديل من بند آخر ثم وصف، صورة، والتسعير، والضرائب سيتم تعيين غيرها من القالب، ما لم يذكر صراحة DocType: Serial No,Purchase / Manufacture Details,تفاصيل شراء / تصنيع @@ -4558,19 +4577,21 @@ DocType: Student,Home Address,عنوان المنزل apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,نقل الأصول DocType: POS Profile,POS Profile,POS الملف الشخصي DocType: Training Event,Event Name,اسم الحدث -apps/erpnext/erpnext/config/schools.py +39,Admission,القبول +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,القبول apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0} القبول ل apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",{0} البند هو قالب، يرجى اختيار واحد من مشتقاته DocType: Asset,Asset Category,فئة الأصول +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,مشتر apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,صافي الأجور لا يمكن أن يكون بالسالب DocType: SMS Settings,Static Parameters,ثابت معلمات DocType: Assessment Plan,Room,غرفة DocType: Purchase Order,Advance Paid,مسبقا المدفوعة -DocType: Item,Item Tax,البند الضرائب +DocType: Item,Item Tax,ضريبة السلعة apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,المواد للمورد ل apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,المكوس الفاتورة apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ يظهر أكثر من مرة +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,العميل> مجموعة العملاء> الإقليم 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,الخصوم الحالية @@ -4581,7 +4602,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57, DocType: Employee Loan,Loan Type,نوع القرض DocType: Scheduling Tool,Scheduling Tool,أداة الجدولة apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,بطاقة إئتمان -DocType: BOM,Item to be manufactured or repacked,لتصنيعه أو إعادة تعبئتها البند +DocType: BOM,Item to be manufactured or repacked,السلعة ليتم تصنيعها أو إعادة تعبئتها apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,الإعدادات الافتراضية ل معاملات الأوراق المالية . DocType: Purchase Invoice,Next Date,تاريخ القادمة DocType: Employee Education,Major/Optional Subjects,المواد الرئيسية والاختيارية التي تم دراستها @@ -4642,6 +4663,7 @@ DocType: Leave Type,Is Carry Forward,هل تضاف في العام التالي apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,لا يوجد كشف راتب تمت الموافقة عليه ,Stock Summary,ملخص الأوراق المالية diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv index 6639317652..e910d8df2e 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Спряно производство Поръчка не може да бъде отменено, отпуши го първо да отмените" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,Избор на доставчик по подразбиране @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1} +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 +808,Invoice,Фактура DocType: Maintenance Schedule Item,Periodicity,Периодичност apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} се изисква @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,Незавършено производство apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Моля, изберете дата" DocType: Employee,Holiday List,Списък на празиниците -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Счетоводител +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Счетоводител DocType: Cost Center,Stock User,Склад за потребителя DocType: Company,Phone No,Телефон No apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,"Списъци на курса, създадени:" @@ -110,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 +269,Kg,Кг +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Кг DocType: Student Log,Log,Журнал apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Откриване на работа. DocType: Item Attribute,Increment,Увеличение @@ -120,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 +42,Not permitted for {0},Не е разрешен за {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Вземете елементи от -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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,Всички продажби 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 +1673,Not items found,Не са намерени +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,Фактурата за продажба - позиция @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Сток Доклади DocType: Warehouse,Warehouse Detail,Скалд - Детайли apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитен лимит е бил надхвърлен за клиенти {0} {1} / {2} 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.,"Term крайна дата не може да бъде по-късно от края на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Е фиксиран актив"" не може да бъде размаркирано, докато съществува запис за елемента" +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/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 със същото име @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},От {0} до {1} DocType: Item,Copy From Item Group,Копирай от група позиция DocType: Journal Entry,Opening Entry,Начално записване -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Сметка за плащане DocType: Employee Loan,Repay Over Number of Periods,Погасяване Над брой периоди DocType: Stock Entry,Additional Costs,Допълнителни разходи @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижим имот -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Извлечение от сметка +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,Фармации DocType: Purchase Invoice Item,Is Fixed Asset,Има дълготраен актив apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Налични Количество е {0}, трябва {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Консумативи +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Издърпайте Материал Искане на тип Производство на базата на горните критерии @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,Пример: Основни математика +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/config/hr.py +214,Settings for HR Module,Настройки за модул ТРЗ DocType: SMS Center,SMS Center,SMS Center @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Позиции и ценообразуване apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Общо часове: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},"От дата трябва да бъде в рамките на фискалната година. Ако приемем, че от датата = {0}" +apps/erpnext/erpnext/hooks.py +87,Quotes,кавички DocType: Customer,Individual,Индивидуален DocType: Interest,Academics User,Потребители Академици DocType: Cheque Print Template,Amount In Figure,Сума На фигура @@ -264,7 +265,7 @@ DocType: Employee,Create User,Създаване на потребител DocType: Selling Settings,Default Territory,Територия по подразбиране apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Телевизия DocType: Production Order Operation,Updated via 'Time Log',Updated чрез "Time Log" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Адванс сума не може да бъде по-голяма от {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Адванс сума не може да бъде по-голяма от {0} {1} DocType: Naming Series,Series List for this Transaction,Списък с номерации за тази транзакция DocType: Company,Enable Perpetual Inventory,Активиране на постоянен инвентаризация DocType: Company,Default Payroll Payable Account,По подразбиране ТРЗ Задължения сметка @@ -272,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 +177,For Warehouse is required before Submit,За склад се изисква преди изпращане +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.","Ако е избрано, ще включва не-склад продукта в материала искания." @@ -280,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,Net Cash от Финансиране -apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Контакт - име +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Облекчаване дата трябва да е по-голяма от Дата на Присъединяване 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 +189,Warehouse {0} does not belong to company {1},Склад {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 +270,Litre,Литър +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Оставете Блокирани -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банкови записи apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Годишен DocType: Stock Reconciliation Item,Stock Reconciliation Item,Склад за помирение Точка @@ -314,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,Student Група инструмент за създаване на курса DocType: Lead,Do Not Contact,Не притеснявайте -apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Хората, които учат във вашата организация" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,Минимално количество за поръчка @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Позволи на потреби DocType: Item,Publish in Hub,Публикувай в Hub DocType: Student Admission,Student Admission,прием на студенти ,Terretory,Територия -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Точка {0} е отменена +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Точка {0} е отменена apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Заявка за материал DocType: Bank Reconciliation,Update Clearance Date,Актуализация Клирънсът Дата DocType: Item,Purchase Details,Изкупните Детайли @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Мениджър на автопарк apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,Циклична референция - Грешка @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,"Заплащане вписване е променен, след като го извади. Моля, изтеглете го отново." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} е въведен два пъти в данък за позиция +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} е въведен два пъти в данък за позиция apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Резюме за тази седмица и предстоящи дейности DocType: Student Applicant,Admitted,Допуснати DocType: Workstation,Rent Cost,Разход за наем @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Получени apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Създаване на ученически групи apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Настройката е вече изпълнена !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Кредитна бележка Сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Кредитна бележка Сума ,Finished Goods,Готова продукция DocType: Delivery Note,Instructions,Инструкции DocType: Quality Inspection,Inspected By,Инспектирани от @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Създаване на нов клиент +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране за участие чрез настройка> Серия за номериране" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Създаване на поръчки за покупка ,Purchase Register,Покупка Регистрация DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции." +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобални настройки за всички производствени процеси. DocType: Accounts Settings,Accounts Frozen Upto,Замразени Сметки до DocType: SMS Log,Sent On,Изпратено на -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Умение {0} избрани няколко пъти в атрибути на маса +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Умение {0} избрани няколко пъти в атрибути на маса DocType: HR Settings,Employee record is created using selected field. ,Запис на служителите е създаден с помощта на избран област. DocType: Sales Order,Not Applicable,Не Е Приложимо apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Основен празник @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Моля, въведете Warehouse, за които ще бъдат повдигнати Материал Искане" DocType: Production Order,Additional Operating Cost,Допълнителна експлоатационни разходи apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Козметика -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","За да се слеят, следните свойства трябва да са едни и същи и за двете позиции" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","За да се слеят, следните свойства трябва да са едни и същи и за двете позиции" DocType: Shipping Rule,Net Weight,Нето Тегло DocType: Employee,Emergency Phone,Телефон за спешни apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Купи @@ -546,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%,"Моля, определете степен за Threshold 0%" DocType: Sales Order,To Deliver,Да достави DocType: Purchase Invoice Item,Item,Артикул -apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,Управление Подизпълнители @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавяне / Редактиране на данъци и такси DocType: Purchase Invoice,Supplier Invoice No,Доставчик - Фактура номер DocType: Territory,For reference,За референция -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Не може да се изтрие Пореден № {0}, тъй като се използва в транзакции с материали" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Не може да се изтрие Пореден № {0}, тъй като се използва в транзакции с материали" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Закриване (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Преместване на елемент DocType: Serial No,Warranty Period (Days),Гаранционен период (дни) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Моля изберете Company и Party Type първи apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансови / Счетоводство година. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Натрупаните стойности -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Съжаляваме, серийни номера не могат да бъдат слети" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Съжаляваме, серийни номера не могат да бъдат слети" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Направи поръчка за продажба DocType: Project Task,Project Task,Проект Task ,Lead Id,Потенциален клиент - Номер @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Разпределяйте apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продажбите Return 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,Забележка: Общо отпуснати листа {0} не трябва да бъдат по-малки от вече одобрените листа {1} за периода +,Total Stock Summary,Общо обобщение на наличностите DocType: Announcement,Posted By,Публикувано от DocType: Item,Delivered by Supplier (Drop Ship),Доставени от доставчик (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,База данни за потенциални клиенти. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,База данн DocType: Quotation,Quotation To,Оферта до DocType: Lead,Middle Income,Среден доход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Откриване (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default мерната единица за т {0} не може да се променя директно, защото вече сте направили някаква сделка (и) с друга мерна единица. Вие ще трябва да се създаде нова т да използвате различен Default мерна единица." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default мерната единица за т {0} не може да се променя директно, защото вече сте направили някаква сделка (и) с друга мерна единица. Вие ще трябва да се създаде нова т да използвате различен Default мерна единица." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Отпусната сума не може да бъде отрицателна apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Моля, задайте фирмата" DocType: Purchase Order Item,Billed Amt,Фактурирана Сума @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Максимална оценка apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Актуализация банка Дати Транзакционните apps/erpnext/erpnext/config/projects.py +30,Time Tracking,проследяване на времето +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ДВОЙНОСТ ЗА ТРАНСПОРТ DocType: Fiscal Year Company,Fiscal Year Company,Фискална година - Компания DocType: Packing Slip Item,DN Detail,DN Подробности DocType: Training Event,Conference,конференция @@ -674,8 +678,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 +320,Timesheet created:,График създаден: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране брой или банкова сметка в начинът на плащане {0}" +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Записване DocType: GST Settings,GST Settings,Настройки за GST DocType: Selling Settings,Customer Naming By,Задаване на име на клиента от @@ -704,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 +139,Finish,завършек +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,завършек apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,база DocType: Timesheet,Total Billed Hours,Общо Фактурирани Часа DocType: Journal Entry,Write Off Amount,Сума за отписване @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Продавач - Град ,Absent Student Report,Доклад за отсъствия на учащи се DocType: Email Digest,Next email will be sent on:,Следващият имейл ще бъде изпратен на: DocType: Offer Letter Term,Offer Letter Term,Оферта - Писмо - Условия -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Позицията има варианти. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Позицията има варианти. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Точка {0} не е намерена DocType: Bin,Stock Value,Стойността на акциите apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компания {0} не съществува @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Няколко правила за цените съществува по същите критерии, моля, разрешаване на конфликти чрез възлагане приоритет. Правила Цена: {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 тъй като е свързан с други спецификации на материали (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 +48,Make Timesheet,Въведи отчет на време +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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,Семейна среда DocType: Request for Quotation Supplier,Send Email,Изпрати е-мейл -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Внимание: Невалиден прикачен файл {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Няма разрешение +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Внимание: Невалиден прикачен файл {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Няма разрешение 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,График {0} вече е завършено или анулирано +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,Откриване на начислената амортизация @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} трябва да бъде активен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} преди да анулирате тази поддръжка посещение -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Сериен № {0} не принадлежи на позиция {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Сериен № {0} не принадлежи на позиция {1} DocType: Purchase Receipt Item Supplied,Required Qty,Необходим Количество apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Складове с действащото сделка не може да се превърнат в книга. DocType: Bank Reconciliation,Total Amount,Обща Сума @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Компоненти apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Моля, въведете Asset Категория т {0}" DocType: Quality Inspection Reading,Reading 6,Четене 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да {0} {1} {2} без отрицателна неплатена фактура +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да {0} {1} {2} без отрицателна неплатена фактура DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактурата за покупка 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},Row {0}: Credit влизане не може да бъде свързана с {1} @@ -978,12 +982,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 +731,New Sales Invoice,Нова фактурата за продажба +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Синхронизиране на офлайн Фактури +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синхронизиране на офлайн Фактури DocType: Payment Request,Paid,Платен DocType: Program Fee,Program Fee,Такса програма DocType: Salary Slip,Total in words,Общо - СЛОВОМ @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Химически DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Cash сметка ще се актуализира автоматично в Заплата вестник Влизане когато е избран този режим. DocType: BOM,Raw Material Cost(Company Currency),Разходи за суровини (фирмена валута) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Всички предмети са били прехвърлени вече за тази производствена поръчка. +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 +270,Meter,метър +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,метър DocType: Workstation,Electricity Cost,Ток Cost DocType: HR Settings,Don't send Employee Birthday Reminders,Не изпращайте на служителите напомняне за рождени дни DocType: Item,Inspection Criteria,Критериите за инспекция @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,Баланс на заема @@ -1048,7 +1052,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 +259,Qty for {0},Количество за {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 Списък Дати @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Сметка за Каса / Бан apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Моля, посочете {0}" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Премахнати артикули с никаква промяна в количеството или стойността. DocType: Delivery Note,Delivery To,Доставка до -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Умение маса е задължително +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Умение маса е задължително DocType: Production Planning Tool,Get Sales Orders,Вземи поръчките за продажби -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може да бъде отрицателно +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може да бъде отрицателно apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Отстъпка DocType: Asset,Total Number of Depreciations,Общ брой на амортизации DocType: Sales Invoice Item,Rate With Margin,Оцени с марджин @@ -1098,7 +1102,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 +1546,ZIP Code,Пощенски код +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,Въвеждане на складови записи @@ -1116,7 +1120,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,Изборите някои от вашите доставчици. Те могат да бъдат организации или индивидуални лица. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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,Всички спецификации на материали @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,Дистрибутор DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Количка за пазаруване - Правила за доставка apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Производство Поръчка {0} трябва да се отмени преди анулира тази поръчка за продажба -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',"Моля, задайте "Прилагане Допълнителна отстъпка от '" +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,От диапазон трябва да бъде по-малко от До диапазон DocType: Global Defaults,Global Defaults,Глобални настройки по подразбиране @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},Първите 2 цифри на GSTIN трябва да съвпадат с номер на държавата {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Грешка при Планиране на капацитета +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Грешка при Планиране на капацитета ,Trial Balance for Party,Оборотка за партньор DocType: Lead,Consultant,Консултант DocType: Salary Slip,Earnings,Печалба @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,Дали Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Връщане / дебитно известие DocType: Price List Country,Price List Country,Ценоразпис Country DocType: Item,UOMs,Мерни единици -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} валидни серийни номера за Артикул {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} валидни серийни номера за Артикул {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Код не може да се променя за сериен номер apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Профил {0} вече създаден за потребителя: {1} и компания {2} DocType: Sales Invoice Item,UOM Conversion Factor,Мерна единица - фактор на превръщане @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',Разходен център за позиция с Код ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","Допълнителни сметки могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи" @@ -1221,7 +1225,7 @@ 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,Виж Ledger DocType: Grading Scale,Intervals,Интервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Най-ранната -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Артикул Group съществува със същото име, моля да промените името на елемент или преименувате група т" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Продуктът {0} не може да има партида @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,Пример: Магистър по компютърни науки +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Магистър по компютърни науки DocType: Purchase Invoice,Rejected Warehouse,Отхвърлени Warehouse DocType: GL Entry,Against Voucher,Срещу ваучер DocType: Item,Default Buying Cost Center,Разходен център за закупуване по подразбиране @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,Поръчка за продажба {0} не е валидна +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Място на издаване apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Договор DocType: Email Digest,Add Quote,Добави цитат -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Мерна единица фактор coversion изисква за мерна единица: {0} в продукт: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Мерна единица фактор coversion изисква за мерна единица: {0} в продукт: {1} 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 +736,Sync Master Data,Синхронизиране на основни данни -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Вашите продукти или услуги +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,Вашите продукти или услуги DocType: Mode of Payment,Mode of Payment,Начин на плащане -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Това е главната позиция група и не може да се редактира. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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 или търговска марка." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Състояние на поръчката за производство е {0} DocType: Appraisal Goal,Goal,Цел DocType: Sales Invoice Item,Edit Description,Редактиране на Описание ,Team Updates,Екип - промени @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Подчинен склад съществува за този склад. Не можете да изтриете този склад. DocType: Item,Website Item Groups,Website стокови групи DocType: Purchase Invoice,Total (Company Currency),Общо (фирмена валута) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Сериен номер {0} влезли повече от веднъж +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 +78,{0} items in progress,{0} артикула са в производство +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,Това е поредният номер на последната създадена сделката с този префикс @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,за първоначално зареждане 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,7 +1405,7 @@ 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 +260,Max: {0},Макс: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,Комуникации - журнал. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,Адрес за доставка И apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Сметкоплан DocType: Material Request,Terms and Conditions Content,Правила и условия - съдържание apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може да бъде по-голямо от 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Позиция {0} е не-в-наличност позиция +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Позиция {0} е не-в-наличност позиция DocType: Maintenance Visit,Unscheduled,Нерепаративен DocType: Employee,Owned,Собственост DocType: Salary Detail,Depends on Leave Without Pay,Зависи от неплатен отпуск @@ -1444,7 +1446,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 +273,We buy this Item,Ние купуваме този артикул +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 & @@ -1455,7 +1457,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 +266,Sub Assemblies,Възложени Изпълнения +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Възложени Изпълнения DocType: Asset,Asset Name,Наименование на активи DocType: Project,Task Weight,Задача Тегло DocType: Shipping Rule Condition,To Value,До стойност @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,Източник apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Покажи затворен DocType: Leave Type,Is Leave Without Pay,Дали си тръгне без Pay -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Не са намерени в таблицата за плащане записи apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Този {0} е в конфликт с {1} за {2} {3} DocType: Student Attendance Tool,Students HTML,"Студентите, HTML" DocType: POS Profile,Apply Discount,Прилагане на отстъпка -DocType: Purchase Invoice Item,GST HSN Code,GST HSN кодекс +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 +283,Packing Slip(s) cancelled,Приемо-предавателен протокол (и) анулиране @@ -1536,8 +1538,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 +2573,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Кутия +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 +873,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" @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Възстановяване Метод DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е избрано, на началната страница ще бъде по подразбиране т Групата за сайта" DocType: Quality Inspection Reading,Reading 4,Четене 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM по подразбиране за {0} не е намерен за проект {1} 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Нова зад apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Направи оферта apps/erpnext/erpnext/config/selling.py +216,Other Reports,Други справки DocType: Dependent Task,Dependent Task,Зависима задача -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коефициент на преобразуване за неизпълнение единица мярка трябва да бъде 1 в ред {0} +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.,Опитайте планира операции за Х дни предварително. 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}" DocType: SMS Center,Receiver List,Списък Receiver -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Търсене позиция +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,вече приключи +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/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 +263,Quantity must not be more than {0},Количество не трябва да бъде повече от {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,Идентификационен номер на ПОС на клиента DocType: Account,Account Name,Име на Сметка apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"От дата не може да бъде по-голяма, отколкото е днешна дата" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Сериен № {0} количество {1} не може да бъде една малка част +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Сериен № {0} количество {1} не може да бъде една малка част apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Доставчик Type майстор. 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 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Камион Дата на изпращане +DocType: Purchase Order Item,HSN/SAC,HSN / ВАС apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Покупка Квитанция {0} не е подадена DocType: Company,Default Payable Account,Сметка за задължения по подразбиране apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Настройки за онлайн пазарска количка като правилата за корабоплаване, Ценоразпис т.н." @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Включи пра DocType: Sales Invoice,Packed Items,Опаковани артикули apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гаранция иск срещу Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Сменете конкретен BOM във всички останали спецификации на материали в които е използван. Той ще замени стария BOM връзката, актуализирайте разходите и регенерира "BOM Explosion ТОЧКА" маса, както на новия BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Обща сума' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Обща сума' DocType: Shopping Cart Settings,Enable Shopping Cart,Активиране на количката DocType: Employee,Permanent Address,Постоянен Адрес apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ DocType: Material Request,Transferred,Прехвърлен DocType: Vehicle,Doors,Врати apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext инсталирането приключи! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,"Група Клиенти съществува със същото име. Моля, променете името на Клиента или преименувайте Група Клиенти" @@ -1720,7 +1723,7 @@ 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 +699,Offline,Извън линия +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Основен apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Вариант DocType: Naming Series,Set prefix for numbering series on your transactions,Определете префикс за номериране серия от вашите сделки DocType: Employee Attendance Tool,Employees HTML,Служители на HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон DocType: Employee,Leave Encashed?,Отсъствието е платено? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Възможност - От"" полето е задължително" DocType: Email Digest,Annual Expenses,годишните разходи @@ -1749,7 +1752,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 +175,Work-in-Progress Warehouse is required before Submit,Склад за Незавършено производство се изисква преди изпращане +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,Законова информация и друга обща информация за вашия доставчик @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,Серийни номера и партид apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студентска група apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Against Journal Entry {0} does not have any unmatched {1} entry apps/erpnext/erpnext/config/hr.py +137,Appraisals,оценки -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Дублиран Пореден № за позиция {0} +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}. За да позволите на свръх-фактуриране, моля, задайте в Купуването Настройки" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Плащане @@ -1785,12 +1788,12 @@ 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 +257,"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 +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.","Списък на вашите продукти или услуги, които купувате или продавате. Проверете стокова група, мерна единица и други свойства, когато започнете." 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: Asset Movement,Asset Movement,Asset движение -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Нова пазарска количка +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,Колела @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Получават от покупка Приходи DocType: Serial No,Creation Date,Дата на създаване apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Точка {0} се среща няколко пъти в Ценоразпис {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продажба трябва да се провери, ако има такива се избира като {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продажба трябва да се провери, ако има такива се избира като {0}" DocType: Production Plan Material Request,Material Request Date,Заявка за материал - Дата DocType: Purchase Order Item,Supplier Quotation Item,Оферта на доставчик - позиция DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Забранява създаването на времеви трупи срещу производствени поръчки. Операциите не се проследяват срещу производствена поръчка @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,Доставчик на сто DocType: Budget,Fiscal Year,Фискална Година DocType: Vehicle Log,Fuel Price,цена на гориво DocType: Budget,Budget,Бюджет -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Дълготраен актив позиция трябва да бъде елемент не-склад. +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 +209,e.g. 5,например 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,Словом ще бъде видим след като запазите фактурата. @@ -1846,7 +1849,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 +263,A Product or Service,Продукт или Услуга +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,Текуща стойност @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Двойка +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Двойка apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Изберете BOM и Количество за производство DocType: Asset,Depreciation Schedule,Амортизационен план apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреси и контакти за партньори за продажби @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Действително Крайна дата (чрез 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 +160,Item Group not mentioned in item master for item {0},Позиция Group не са посочени в т майстор за т {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания +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,Дебитиране на сметката трябва да е сметка за вземания DocType: Shipping Rule Condition,Shipping Amount,Доставка Сума -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Добавете клиенти +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,Доставени @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,Вземания ,Supplier-Wise Sales Analytics,Доставчик мъдър анализ на продажбите apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Въведете платената сума DocType: Salary Structure,Select employees for current Salary Structure,Изберете служители за текущата Заплата Структура +DocType: Sales Invoice,Company Address Name,Име на фирмен адрес DocType: Production Order,Use Multi-Level BOM,Използвайте Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Включи засечени позиции DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Основен курс (Оставете празно, ако това не е част от курса за родители)" @@ -1977,7 +1981,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 +269,Unit,Единица +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,"Склад, в койт се поддържа запас от отхвърлените артикули" @@ -1998,7 +2002,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от продажбите Поръчка, продажба на фактура или вестник Влизане" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: От време и До време - е задължително. DocType: Stock Reconciliation Item,Amount Difference,сума Разлика @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Класификация на клиентите по регион apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разликата в сумата трябва да бъде нула DocType: Project,Gross Margin,Брутна печалба -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Моля, въведете Производство Точка първа" +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 +748,Quotation,Оферта @@ -2019,7 +2023,7 @@ 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: Opportunity,Customer / Lead Address,Клиент / Потенциален клиент - Адрес -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Внимание: Invalid сертификат SSL за закрепване {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Внимание: Invalid сертификат SSL за закрепване {0} DocType: Student Admission,Eligibility,избираемост apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads ви помогне да получите бизнес, добавете всичките си контакти и повече като си клиенти" DocType: Production Order Operation,Actual Operation Time,Действително време за операцията @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,Изчисли Общ резултат DocType: Request for Quotation,Manufacturing Manager,Мениджър производство apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Сериен № {0} е в гаранция до {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Бележка за доставка в пакети. -apps/erpnext/erpnext/hooks.py +87,Shipments,Пратки +apps/erpnext/erpnext/hooks.py +94,Shipments,Пратки DocType: Payment Entry,Total Allocated Amount (Company Currency),Общата отпусната сума (Company валути) DocType: Purchase Order Item,To be delivered to customer,Да бъде доставен на клиент DocType: BOM,Scrap Material Cost,Скрап Cost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Сериен № {0} не принадлежи на нито един склад +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Сериен № {0} не принадлежи на нито един склад DocType: Purchase Invoice,In Words (Company Currency),Словом (фирмена валута) DocType: Asset,Supplier,Доставчик DocType: C-Form,Quarter,Тримесечие @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,Служител кредит пр DocType: Leave Application,Total Leave Days,Общо дни отсъствие DocType: Email Digest,Note: Email will not be sent to disabled users,Забележка: Email няма да бъдат изпратени на ползвателите с увреждания apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Брой взаимодействия -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код на елемента> Група на елементите> Марка 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 +408,{0} is mandatory for Item {1},{0} е задължително за Артикул {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","Моля изберете отпусната сума, Тип фактура и фактура Номер в поне един ред" @@ -2102,7 +2105,8 @@ 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,Изпълнителен директор DocType: Expense Claim Detail,Expense Claim Detail,Expense претенция Подробности -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Моля изберете правилния акаунт +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ТРИПЛИКАТ ЗА ДОСТАВЧИК +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Моля изберете правилния акаунт DocType: Item,Weight UOM,Тегло мерна единица DocType: Salary Structure Employee,Salary Structure Employee,Структура на заплащането на служителите DocType: Employee,Blood Group,Кръвна група @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Дебит сметка се изисква +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,Оферта Условия @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Общо Непл DocType: BOM Website Operation,BOM Website Operation,BOM Website Операция apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Оферта - Писмо apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генериране Материал Исканията (MRP) и производствени поръчки. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Общо фактурирана сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Общо фактурирана сума DocType: BOM,Conversion Rate,Обменен курс apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Търсене на продукти DocType: Timesheet Detail,To Time,До време @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,Обучение Събитие на служителите -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} серийни номера, необходими за т {1}. Вие сте предоставили {2}." +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} серийни номера, необходими за т {1}. Вие сте предоставили {2}." DocType: Stock Reconciliation Item,Current Valuation Rate,Курс на преоценка DocType: Item,Customer Item Codes,Клиентски Елемент кодове apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Печалба / загуба @@ -2198,7 +2202,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 +2454,Select Batch No,Изберете партида № +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,Авансова сума @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,Позволяват на потребит DocType: Purchase Order,Customer Mobile No,Клиент - мобилен номер DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Абонирай се за отделни приходи и разходи за вертикали продуктови или подразделения. DocType: Rename Tool,Rename Tool,Преименуване на Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Актуализация на стойността +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 +438,Show Salary Slip,Покажи фиш за заплата apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,"Моля, задайте повтарящи след спасяването" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,количество сметка Select промяна +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,"Моля, задайте повтарящи след спасяването" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,Добави Данъци +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,Сметка за бюджет @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,Покупка Квитанция но apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Задатък DocType: Process Payroll,Create Salary Slip,Създаване на фиш за заплата apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Проследяване +DocType: Purchase Invoice Item,HSN/SAC Code,Код HSN / SAC 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,Служител @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,График за поддръжка Подробности DocType: Quality Inspection Reading,Reading 9,Четене 9 DocType: Supplier,Is Frozen,Е замразен -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Група възел склад не е позволено да изберете за сделки +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Група възел склад не е позволено да изберете за сделки DocType: Buying Settings,Buying Settings,Настройки за Купуване DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Номер. за позиция на завършен продукт DocType: Upload Attendance,Attendance To Date,Присъствие към днешна дата @@ -2289,13 +2294,13 @@ 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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т." +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.js +153,You can not change rate if BOM mentioned agianst any item,"Вие не можете да променяте скоростта, ако BOM споменато agianst всеки елемент" +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,За Количество apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Моля, въведете Планиран Количество за позиция {0} на ред {1}" @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,Оторизиран Value DocType: BOM,Show Operations,Показване на операции ,Minutes to First Response for Opportunity,Минути за първи отговор на възможност apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Общо Отсъства -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Мерна единица DocType: Fiscal Year,Year End Date,Година Крайна дата DocType: Task Depends On,Task Depends On,Задачата зависи от @@ -2388,7 +2393,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},Не може да се произвежда повече позиция {0} от количеството в поръчка за продажба {1} +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/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,Следваща Контакт не може да бъде същата като на Водещия имейл адрес @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Разходен център apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Ваучер # DocType: Notification Control,Purchase Order Message,Поръчка за покупка на ЛС @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,Задача Изпълнение apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Не е в наличност DocType: Appraisal,HR User,ЧР потребителя DocType: Purchase Invoice,Taxes and Charges Deducted,Данъци и такси - Удръжки -apps/erpnext/erpnext/hooks.py +116,Issues,Изписвания +apps/erpnext/erpnext/hooks.py +124,Issues,Изписвания apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Статус трябва да бъде един от {0} DocType: Sales Invoice,Debit To,Дебит към DocType: Delivery Note,Required only for sample item.,Изисква се само за проба т. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Територия apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Моля, не споменете на посещенията, изисквани" DocType: Stock Settings,Default Valuation Method,Метод на оценка по подразбиране +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Такса DocType: Vehicle Log,Fuel Qty,Количество на горивото DocType: Production Order Operation,Planned Start Time,Планиран начален час DocType: Course,Assessment,Оценяване @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,Оферта {0} е отменена -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Общият размер +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Общият размер DocType: Sales Partner,Targets,Цели DocType: Price List,Price List Master,Ценоразпис магистър DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Всички продажби Сделки могат да бъдат маркирани с множество ** продавачи **, така че можете да настроите и да наблюдават цели." ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Моля, създайте Customer от Lead {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Моля, създайте Customer от Lead {0}" DocType: Price List,Applicable for Countries,Приложимо за Държави apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Оставете само приложения със статут "Одобрен" и "Отхвърлени" може да бъде подадено apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Име на групата е задължително в ред {0} @@ -2601,6 +2607,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/config/hr.py +163,Define various loan types,Определяне на различни видове кредитни DocType: Bin,FCFS Rate,FCFS Курсове DocType: Payment Reconciliation Invoice,Outstanding Amount,Дължима сума @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Прехвърляне н 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.,Отстъпка Процент може да бъде приложена или за ценоразпис или за всички ценови листи (ценоразписи). DocType: Purchase Invoice,Half-yearly,Полугодишен apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Счетоводен запис за Складова наличност +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Вече оценихте критериите за оценка {}. DocType: Vehicle Service,Engine Oil,Моторно масло -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси> Настройки за персонала" DocType: Sales Invoice,Sales Team1,Търговски отдел1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Точка {0} не съществува DocType: Sales Invoice,Customer Address,Клиент - Адрес @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическо лице / Дъщерно дружество с отделен сметкоплан, част от организацията." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Храни, напитки и тютюневи изделия" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Ставка на Комисията не може да бъде по-голяма от 100 DocType: Stock Entry,Subcontract,Подизпълнение apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Моля, въведете {0} първа" @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Месечен Присъствие Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Служител {0} вече е подал молба за {1} между {2} и {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Проект Начална дата -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,До +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,До DocType: Rename Tool,Rename Log,Преименуване - журнал apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студентската група или графикът на курса е задължителна DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Поддържане на плащане часа и работно време Същите по график @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,Върнати Количество DocType: Employee,Exit,Изход apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type е задължително DocType: BOM,Total Cost(Company Currency),Обща стойност (Company валути) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Сериен № {0} е създаден +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Сериен № {0} е създаден DocType: Homepage,Company Description for website homepage,Описание на компанията за началната страница на уеб сайта DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За удобство на клиентите, тези кодове могат да бъдат използвани в печатни формати като фактури и доставка Notes" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Наименование Доставчик @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Списъци на курса изтрити: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Дневници за поддържане състоянието на доставка на SMS DocType: Accounts Settings,Make Payment via Journal Entry,Направи Плащане чрез вестник Влизане -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,отпечатан на +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,отпечатан на DocType: Item,Inspection Required before Delivery,Инспекция е изисквана преди доставка DocType: Item,Inspection Required before Purchase,Инспекция е задължително преди покупка apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Предстоящите дейности @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Преминат лимит 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.,"Един учебен план с това "Учебна година" {0} и "Срок име" {1} вече съществува. Моля, променете тези записи и опитайте отново." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Тъй като има съществуващи операции срещу т {0}, не можете да промените стойността на {1}" +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}","Тъй като има съществуващи операции срещу т {0}, не можете да промените стойността на {1}" DocType: UOM,Must be Whole Number,Трябва да е цяло число DocType: Leave Control Panel,New Leaves Allocated (In Days),Нови листа Отпуснати (в дни) +DocType: Sales Invoice,Invoice Copy,Фактура за копиране apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Сериен № {0} не съществува DocType: Sales Invoice Item,Customer Warehouse (Optional),Склад на клиенти (по избор) DocType: Pricing Rule,Discount Percentage,Отстъпка Процент @@ -2823,8 +2831,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto близо 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 +305,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,Сметка за Натрупана амортизация DocType: Stock Settings,Freeze Stock Entries,Фиксиране на вписване в запасите +DocType: Program Enrollment,Boarding Student,Студент на борда DocType: Asset,Expected Value After Useful Life,Очакваната стойност След Полезна Life DocType: Item,Reorder level based on Warehouse,Пренареждане равнище въз основа на Warehouse DocType: Activity Cost,Billing Rate,(Фактура) Курс @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,Гаранция / AMC Детайли apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,"Изберете ръчно студентите за групата, базирана на дейности" DocType: Journal Entry,User Remark,Потребителска забележка DocType: Lead,Market Segment,Пазарен сегмент -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Платената сума не може да бъде по-голям от общия изключително отрицателна сума {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Платената сума не може да бъде по-голям от общия изключително отрицателна сума {0} DocType: Employee Internal Work History,Employee Internal Work History,Служител Вътрешен - История на работа apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Закриване (Dr) DocType: Cheque Print Template,Cheque Size,Чек Размер -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Сериен № {0} не е в наличност +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Сериен № {0} не е в наличност apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Данъчен шаблон за сделки при продажба. DocType: Sales Invoice,Write Off Outstanding Amount,Отписване на дължимата сума apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Профилът {0} не съвпада с фирмата {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,Добавяне на няколко примерни записи +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,Напълно Доставени @@ -2893,17 +2903,17 @@ 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 +418,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,Поръчка на Клиента apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Сериен № и Партида DocType: Warranty Claim,From Company,От фирма -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Сума на рекордите на критериите за оценка трябва да бъде {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Сума на рекордите на критериите за оценка трябва да бъде {0}. 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 +270,Minute,Минута +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Минута DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка данъци и такси ,Qty to Receive,Количество за получаване DocType: Leave Block List,Leave Block List Allowed,Оставете Block List любимци @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банков Овърдрафт Акаунт apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Направи фиш за заплата apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ред # {0}: Разпределената сума не може да бъде по-голяма от остатъка. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Разгледай BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Разгледай BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Обезпечени кредити DocType: Purchase Invoice,Edit Posting Date and Time,Редактиране на Дата и час на публикуване apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Моля, задайте на амортизация, свързани акаунти в категория активи {0} или Фирма {1}" @@ -2939,7 +2949,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 +278,Select Quantity,Изберете Количество +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 бюлетин @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Не е позволено да се актуализира борсови сделки по-стари от {0} DocType: Purchase Invoice Item,PR Detail,PR Подробности DocType: Sales Order,Fully Billed,Напълно фактуриран +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Доставчик> Тип доставчик 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 +127,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),Брутното тегло на опаковката. Обикновено нетно тегло + опаковъчен материал тегло. (За печат) @@ -2999,8 +3010,9 @@ 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} не е подадена DocType: Customs Tariff Number,Tariff Number,тарифен номер +DocType: Production Order Item,Available Qty at WIP Warehouse,Наличен брой в WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Прогнозно -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Сериен № {0} не принадлежи на склад {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Сериен № {0} не принадлежи на склад {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,Забележка: Системата няма да се покажат над-доставка и свръх-резервации за позиция {0} като количество или стойност е 0 DocType: Notification Control,Quotation Message,Оферта - Съобщение DocType: Employee Loan,Employee Loan Application,Служител Искане за кредит @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Поземлен Cost Ваучер Сума apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Фактури издадени от доставчици. DocType: POS Profile,Write Off Account,Отпишат Акаунт -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебитно известие Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Дебитно известие Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Отстъпка Сума 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 +207,e.g. VAT,например ДДС +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,Подизпълнители @@ -3032,7 +3044,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 +1945,Please select customer,Моля изберете клиент +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Моля изберете клиент DocType: C-Form,I,аз DocType: Company,Asset Depreciation Cost Center,Център за амортизация на разходите Асет DocType: Sales Order Item,Sales Order Date,Поръчка за продажба - Дата @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,Адрес Описание apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Компания е задължителна DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Тема Наименование -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Поне една от продажба или закупуване трябва да бъдат избрани +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Поне една от продажба или закупуване трябва да бъдат избрани apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Изберете естеството на вашия бизнес. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: дублиращ се запис в "Референции" {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Когато се извършват производствени операции. @@ -3070,7 +3082,7 @@ 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} DocType: Employee,Confirmation Date,Потвърждение Дата DocType: C-Form,Total Invoiced Amount,Общо Сума по фактура -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Минималното количество не може да бъде по-голяма от максималното количество +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Минималното количество не може да бъде по-голяма от максималното количество DocType: Account,Accumulated Depreciation,Натрупани амортизации DocType: Stock Entry,Customer or Supplier Details,Клиент или доставчик - Детайли DocType: Employee Loan Application,Required by Date,Изисвани до дата @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Поръчк apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Името на фирмата не може да е Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Бланки за шаблони за печат. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Заглавия за шаблони за печат, например проформа фактура." +DocType: Program Enrollment,Walking,ходене DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Такси тип оценка не може маркирани като Inclusive DocType: POS Profile,Update Stock,Актуализация Наличности -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Доставчик> Тип доставчик apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different мерна единица за елементи ще доведе до неправилно (Total) Нетна стойност на теглото. Уверете се, че нетното тегло на всеки артикул е в една и съща мерна единица." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Курс DocType: Asset,Journal Entry for Scrap,Вестник Влизане за скрап @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Покажи данък разпадането apps/erpnext/erpnext/accounts/party.py +308,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,Няма намерени студенти @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Каса - сметка по подразбиране apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (не клиент или доставчик) майстор. 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 +176,No Students in,Няма студенти в +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 +108,Please enter 'Expected Delivery Date',"Моля, въведете "Очаквана дата на доставка"" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Enter NA за нерегистриран +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),Принос (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Забележка: Плащане Влизане няма да се създали от "пари или с банкова сметка" Не е посочено apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Отговорности DocType: Expense Claim Account,Expense Claim Account,Expense претенция профил +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: Sales Person,Sales Person Name,Търговец - Име apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Моля, въведете поне една фактура в таблицата" +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. DocType: Stock Reconciliation Item,Before reconciliation,Преди изравняване apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},За {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Данъци и такси - Добавени (фирмена валута) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Позиция Tax Row {0} Трябва да имате предвид тип данък или приход или разход или Дължими +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Позиция Tax Row {0} Трябва да имате предвид тип данък или приход или разход или Дължими DocType: Sales Order,Partly Billed,Частично фактурирани apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Позиция {0} трябва да е дълготраен актив DocType: Item,Default BOM,BOM по подразбиране -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Дебитна сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Дебитна сума apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Моля име повторно вид фирма, за да потвърдите" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Общият размер на неизплатените Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Общият размер на неизплатените Amt DocType: Journal Entry,Printing Settings,Настройки за печат DocType: Sales Invoice,Include Payment (POS),Включи плащане (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Общ дебит трябва да бъде равна на Общ кредит. Разликата е {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Авто DocType: Vehicle,Insurance Company,Застрахователно дружество DocType: Asset Category Account,Fixed Asset Account,Дълготраен актив - Сметка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,променлив -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,От Бележка за доставка +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,От Бележка за доставка DocType: Student,Student Email Address,Student имейл адрес DocType: Timesheet Detail,From Time,От време apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,В наличност: DocType: Notification Control,Custom Message,Персонализирано съобщение apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестиционно банкиране apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Брой или банкова сметка е задължителна за въвеждане на плащане -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настроите серийна номерация за участие чрез настройка> Серия за номериране" apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Студентски адрес 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 +1517,Address Name,Адрес Име +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адрес Име DocType: Stock Entry,From BOM,От BOM DocType: Assessment Code,Assessment Code,Код за оценка apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основен @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа." +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/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,Месечна погасителна сума не може да бъде по-голяма от Размер на заема @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,"Въведете стойност, която да бъде положителна" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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 вече е регистриран. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,Process Payroll apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Има повече почивки от работни дни в този месец. DocType: Product Bundle Item,Product Bundle Item,Каталог Bundle Точка DocType: Sales Partner,Sales Partner Name,Търговски партньор - Име -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Запитвания за оферти +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Запитвания за оферти DocType: Payment Reconciliation,Maximum Invoice Amount,Максимална сума на фактурата DocType: Student Language,Student Language,Student Език apps/erpnext/erpnext/config/selling.py +23,Customers,Клиенти @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,Частично амортизиран DocType: Issue,Opening Time,Наличност - Време apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,От и до датите са задължителни apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Ценни книжа и стоковите борси -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant '{0}' трябва да бъде същото, както в Template "{1}"" +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 +847,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,Суровина +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Сума на данъка след сумата на отстъпката @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Откриване Дата трябва да е преди крайната дата -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: 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 са блокирани за този отдел. @@ -3330,8 +3341,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се приспадне при категория е за "оценка" или "Оценка и Total" -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},"Серийни номера, изисквано за серийни номера, т {0}" +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/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,Банков запис DocType: Authorization Rule,Applicable To (Designation),Приложими по отношение на (наименование) @@ -3348,7 +3359,7 @@ 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 +270,Hour,Час +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Вие нямате право да одобри листата на Блок Дати @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,Точка на продажба +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3373,8 +3384,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 +270,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0. +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/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 единици. @@ -3399,14 +3410,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 +465,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,Маркирай присъствие за множество служители @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},Склад се изисква за артикул {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,(Фактура) Състояние @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},Невалиден атрибут {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Моля, изберете групата за оценка, различна от "Всички групи за оценка"" @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Заплата Комп DocType: Program Enrollment Tool,New Academic Year,Новата учебна година apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Връщане / кредитно известие DocType: Stock Settings,Auto insert Price List rate if missing,"Auto вложка Ценоразпис ставка, ако липсва" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Общо платената сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Общо платената сума DocType: Production Order Item,Transferred Qty,Прехвърлено Количество apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигация 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 +272,We sell this Item,Ние продаваме този артикул +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,Примерни данни 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,Половин ден - Дата @@ -3640,7 +3653,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 +1186,Please set Company,"Моля, задайте фирмата" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,"Моля, задайте фирмата" DocType: Pricing Rule,Buying,Купуване DocType: HR Settings,Employee Records to be created by,Архивите на служителите да бъдат създадени от DocType: POS Profile,Apply Discount On,Нанесете отстъпка от @@ -3656,13 +3669,14 @@ 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,Такса за събиране DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Баркод {0} вече се използва в ред {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Баркод {0} вече се използва в ред {1} DocType: Lead,Add to calendar on this date,Добави в календара на тази дата apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила за добавяне на транспортни разходи. DocType: Item,Opening Stock,Начална наличност apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Изисква се Клиент apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} е задължително за Връщане DocType: Purchase Order,To Receive,Получавам +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Личен имейл apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Общото отклонение DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е активирана, системата ще публикуваме счетоводни записвания за инвентара автоматично." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Извън гаранция DocType: BOM Replace Tool,Replace,Заменете apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Няма намерени продукти. -DocType: Production Order,Unstopped,отпушат apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} по Фактура за продажба {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Име на проекта @@ -3692,6 +3705,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} 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} или вече съвпадащи срещу друг ваучер @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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,Ежедневната работа Обобщение на настройките Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Позиция {0} е игнорирана, тъй като тя не е елемент от склад" +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 +40,Submit this Production Order for further processing.,Изпратете този производствена поръчка за по-нататъшна обработка. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,Работни места @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","Добавте на потребители към вашата организация, различни от себе си" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Моля, поставете фирмения филтър празен, ако Group By е "Company"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Публикуване Дата не може да бъде бъдеща дата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Пореден № {1} не съвпада с {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Регулярен отпуск @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Фондова Ledger Влиза apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Точка {0} не е настройка за серийни номера. Колоната трябва да бъде празно +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Точка {0} не е настройка за серийни номера. Колоната трябва да бъде празно DocType: Accounts Settings,Accounts Settings,Настройки на Сметки apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,одобрявам DocType: Customer,Sales Partner and Commission,Търговски партньор и комисионни @@ -3787,7 +3803,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 +62,{0} items produced,{0} произведени артикули +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,Връщане @@ -3801,7 +3817,7 @@ 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},Row {0}: Валута на BOM # {1} трябва да бъде равна на избраната валута {2} DocType: Journal Entry Account,Exchange Rate,Обменен курс -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,Управление на автопарка @@ -3826,18 +3842,18 @@ 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 +705,Online,На линия +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} е деактивирана DocType: Employee Loan,Repay Fixed Amount per Period,Погасяване фиксирана сума за Период apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Моля, въведете количество за т {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредитна бележка Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Кредитна бележка Amt DocType: Employee External Work History,Employee External Work History,Служител за външна работа DocType: Tax Rule,Purchase,Покупка apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Баланс - Количество @@ -3862,7 +3878,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 +2383,Select items to save the invoice,"Изберете артикули, за да запазите фактурата" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,"Изберете артикули, за да запазите фактурата" DocType: Employee,Encashment Date,Инкасо Дата DocType: Training Event,Internet,интернет DocType: Account,Stock Adjustment,Склад за приспособяване @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,пазител на DocType: Grading Scale Interval,Threshold,праг DocType: BOM Replace Tool,Current BOM,Текущ BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Добави Сериен № +DocType: Production Order Item,Available Qty at Source Warehouse,Налични количества в склада на източника apps/erpnext/erpnext/config/support.py +22,Warranty,Гаранция DocType: Purchase Invoice,Debit Note Issued,Дебитно известие - Издадено DocType: Production Order,Warehouses,Складове @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,"Сума, п apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Ръководител На Проект ,Quoted Item Comparison,Сравнение на редове от оферти apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Изпращане -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Максимална отстъпка разрешена за позиция: {0} е {1}% +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 +279,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 +879,Select Items to Manufacture,Изберете артикули за Производство -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време," +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време," DocType: Item,Material Issue,Изписване на материал DocType: Hub Settings,Seller Description,Продавач Описание DocType: Employee Education,Qualification,Квалификация @@ -3936,7 +3953,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"Не може да се отмени, защото {0} съществуват операции за този материал" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Не може да се отмени, защото {0} съществуват операции за този материал" DocType: Employee Loan,Disbursement Date,Изплащане - Дата DocType: Vehicle,Vehicle,Превозно средство DocType: Purchase Invoice,In Words,Словом @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","За да зададете тази фискална година, като по подразбиране, щракнете върху "По подразбиране"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Присъедини apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Недостиг Количество -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути DocType: Employee Loan,Repay from Salary,Погасяване от Заплата DocType: Leave Application,LAP/,LAP/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Искане за плащане срещу {0} {1} за количество {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Сериен № {0} е бил вече получен +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: Expense Claim,Vehicle Log,Превозното средство - Журнал DocType: Purchase Invoice,Recurring Id,Повтарящо Id DocType: Customer,Sales Team Details,Търговски отдел - Детайли -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Изтриете завинаги? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Невалиден {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Невалиден {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Отпуск По Болест DocType: Email Digest,Email Digest,Email бюлетин DocType: Delivery Note,Billing Address Name,Име за фактуриране @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Платим DocType: Company,Change Abbreviation,Промени Съкращение DocType: Expense Claim Detail,Expense Date,Expense Дата +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код на елемента> Група на елементите> Марка DocType: Item,Max Discount (%),Максимална отстъпка (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последна Поръчка Сума DocType: Task,Is Milestone,Е Milestone @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,Нова програма DocType: Item Attribute Value,Attribute Value,Атрибут Стойност ,Itemwise Recommended Reorder Level,Itemwise Препоръчано Пренареждане Level DocType: Salary Detail,Salary Detail,Заплата Подробности -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Моля изберете {0} първо -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Партида {0} на артикул {1} е изтекла. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Моля изберете {0} първо +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Партида {0} на артикул {1} е изтекла. DocType: Sales Invoice,Commission,Комисионна apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet за производство. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Междинна сума @@ -4047,12 +4065,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 +399,Operation Time must be greater than 0 for Operation {0},Операция - времето трябва да е по-голямо от 0 за операция {0} +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/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 +387,Production Order cannot be raised against a Item Template,Производство на поръчката не може да бъде повдигнато срещу т Template +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,Начална Дата @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Отписване - Дата DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Имейли ще бъдат изпратени на всички активни служители на компанията в даден час, ако те не разполагат с почивка. Обобщение на отговорите ще бъдат изпратени в полунощ." DocType: Employee Leave Approver,Employee Leave Approver,Служител одобряващ отпуски -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не може да се обяви като загубена, защото е направена оферта." 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} трябва да бъде представено @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,Студент apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Организация единица (отдел) майстор. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Моля въведете валидни мобилни номера apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Моля, въведете съобщение, преди да изпратите" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ДВОЙНОСТ ЗА ДОСТАВЧИКА DocType: Email Digest,Pending Quotations,До цитати apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Точка на продажба на профил apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Моля, актуализирайте SMS настройките" @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,Разходен център - Име DocType: Employee,B+,B+ DocType: HR Settings,Max working hours against Timesheet,Max работно време срещу график DocType: Maintenance Schedule Detail,Scheduled Date,Предвидена дата -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,"Общата сума, изплатена Amt" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,"Общата сума, изплатена Amt" DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Съобщения по-големи от 160 знака, ще бъдат разделени на няколко съобщения" DocType: Purchase Receipt Item,Received and Accepted,Получена и приета ,GST Itemised Sales Register,GST Подробен регистър на продажбите @@ -4133,7 +4152,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 +237,Your Suppliers,Вашите доставчици +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Не може да се приспадне при категория е за "оценка" или "Vaulation и Total" @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Сайт на снимката {0}, прикрепена към т {1} не може да бъде намерена" +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.,Списък този продукт в няколко групи в сайта. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Какво apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,До склад apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Всички Учебен ,Average Commission Rate,Средна Комисията Курсове -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Има сериен номер' не може да бъде 'Да' за нескладируеми стоки +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Има сериен номер' не може да бъде 'Да' за нескладируеми стоки apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Присъствие не може да бъде маркиран за бъдещи дати DocType: Pricing Rule,Pricing Rule Help,Ценообразуване Правило Помощ DocType: School House,House Name,Наименование Къща @@ -4176,7 +4195,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 +339,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,Застраховка Начална дата трябва да бъде по-малка от застраховка Крайна дата @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Заплата поднасяне на служител {0} вече е създаден за времето лист {1} DocType: Vehicle Log,Odometer,одометър DocType: Sales Order Item,Ordered Qty,Поръчано Количество -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Точка {0} е деактивирана +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 +874,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,Зареждане с гориво - Детайли apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Генериране на фишове за заплати -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Купуването трябва да се провери, ако е маркирано като {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Купуването трябва да се провери, ако е маркирано като {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Отстъпката трябва да е по-малко от 100 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 +500,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,програма за записване DocType: Landed Cost Voucher,Landed Cost Voucher,Поземлен Cost Ваучер @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очаквана дата не може да бъде преди Материал Заявка Дата DocType: Purchase Invoice Item,Stock Qty,Коефициент на запас -DocType: Production Order,Source Warehouse (for reserving Items),Източник Склад (за запазване Артикули) DocType: Employee Loan,Repayment Period in Months,Възстановяването Период в месеци apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Грешка: Не е валиден документ за самоличност? DocType: Naming Series,Update Series Number,Актуализация на номер за номериране @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,Планирана Крайна да apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Когато елементите са съхранени. DocType: Request for Quotation,Supplier Detail,Доставчик - детайли apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Грешка във формула или състояние: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Фактурирана сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Фактурирана сума DocType: Attendance,Attendance,Посещаемост apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Артикулите за наличност DocType: BOM,Materials,Материали @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup прост сайт за моята организация +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}" DocType: Item,Default Warehouse,Склад по подразбиране apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Бюджетът не може да бъде назначен срещу Group Account {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Моля, въведете разходен център майка" @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,Изберете или добавите нов клиент +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/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,Това се основава на присъствието на този служител @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,Година Начална дата DocType: Attendance,Employee Name,Служител Име DocType: Sales Invoice,Rounded Total (Company Currency),Общо закръглено (фирмена валута) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси> Настройки за персонала" 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 +231,{0} {1} has been modified. Please refresh.,"{0} {1} е променен. Моля, опреснете." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Спрете потребители от извършване Оставете Заявленията за следните дни. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Четене 3 ,Hub,Главина DocType: GL Entry,Voucher Type,Тип Ваучер -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ценова листа не е намерен или инвалиди +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} трябва да се зададе като "Ляв" @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,Сметка за ресто apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Сметка не съвпада с {1} / {2} в {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Моля, въведете Expense Account" DocType: Account,Stock,Наличност -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане" DocType: Employee,Current Address,Настоящ Адрес DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако елемент е вариант на друга позиция след това описание, изображение, ценообразуване, данъци и т.н., ще бъдат определени от шаблона, освен ако изрично е посочено" DocType: Serial No,Purchase / Manufacture Details,Покупка / Производство Детайли @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,Начален адрес apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Прехвърляне на активи DocType: POS Profile,POS Profile,POS профил DocType: Training Event,Event Name,Име на събитието -apps/erpnext/erpnext/config/schools.py +39,Admission,Допускане +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Допускане apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Прием за {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Позиция {0} е шаблон, моля изберете една от неговите варианти" DocType: Asset,Asset Category,Asset Категория +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Купувач apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net заплащането не може да бъде отрицателна DocType: SMS Settings,Static Parameters,Статични параметри DocType: Assessment Plan,Room,Стая @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,Позиция - Данък apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материал на доставчик apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизите Invoice apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Праг за {0}% се появява повече от веднъж +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия DocType: Expense Claim,Employees Email Id,Служители 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,Текущи задължения @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,Е пренасяне apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,Не е изпратен фиш за заплата ,Stock Summary,фондова Резюме diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv index 375aee1947..ccce668586 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","থামানো উৎপাদন অর্ডার বাতিল করা যাবে না, বাতিল করতে এটি প্রথম দুর" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,নির্বাচন ডিফল্ট সরবরাহকারী @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1} +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 +808,Invoice,চালান DocType: Maintenance Schedule Item,Periodicity,পর্যাবৃত্তি apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,অর্থবছরের {0} প্রয়োজন বোধ করা হয় @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,কাজ চলছে apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,দয়া করে তারিখ নির্বাচন DocType: Employee,Holiday List,ছুটির তালিকা -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,হিসাবরক্ষক +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,হিসাবরক্ষক DocType: Cost Center,Stock User,স্টক ইউজার DocType: Company,Phone No,ফোন নম্বর apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,কোর্স সূচী সৃষ্টি @@ -110,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 +269,Kg,কেজি +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,কেজি DocType: Student Log,Log,লগিন apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,একটি কাজের জন্য খোলা. DocType: Item Attribute,Increment,বৃদ্ধি @@ -120,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 +42,Not permitted for {0},অনুমোদিত নয় {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,থেকে আইটেম পান -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,না আইটেম পাওয়া যায়নি +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,বিক্রয় চালান আইটেম @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,স্টক রিপো DocType: Warehouse,Warehouse Detail,ওয়ারহাউস বিস্তারিত apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ক্রেডিট সীমা গ্রাহকের জন্য পার হয়েছে {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", অবারিত হতে পারে না যেমন অ্যাসেট রেকর্ড আইটেমটি বিরুদ্ধে বিদ্যমান "ফিক্সড সম্পদ"" +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/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,একটি গ্রাহক এই একই নামের @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},থেকে {0} থেকে {1} DocType: Item,Copy From Item Group,আইটেম গ্রুপ থেকে কপি DocType: Journal Entry,Opening Entry,প্রারম্ভিক ভুক্তি -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপের> টেরিটরি apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,হিসাব চুকিয়ে শুধু DocType: Employee Loan,Repay Over Number of Periods,শোধ ওভার পর্যায়কাল সংখ্যা DocType: Stock Entry,Additional Costs,অতিরিক্ত খরচ @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,আবাসন -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,অ্যাকাউন্ট বিবৃতি +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,ফার্মাসিউটিক্যালস DocType: Purchase Invoice Item,Is Fixed Asset,পরিসম্পদ হয় apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","উপলভ্য Qty {0}, আপনি প্রয়োজন হয় {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,টানুন উপরে মাপকাঠির ভিত্তিতে টাইপ প্রস্তুত উপাদান অনুরোধ @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,উদাহরণ: বেসিক গণিত +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/config/hr.py +214,Settings for HR Module,এইচআর মডিউল ব্যবহার সংক্রান্ত সেটিংস Comment DocType: SMS Center,SMS Center,এসএমএস কেন্দ্র @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,চলছে এবং প্রাইসিং apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},মোট ঘন্টা: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},জন্ম থেকে অর্থবছরের মধ্যে হওয়া উচিত. জন্ম থেকে Assuming = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,দর DocType: Customer,Individual,ব্যক্তি DocType: Interest,Academics User,শিক্ষাবিদগণ ব্যবহারকারী DocType: Cheque Print Template,Amount In Figure,পরিমাণ চিত্র @@ -264,7 +265,7 @@ DocType: Employee,Create User,ব্যবহারকারী DocType: Selling Settings,Default Territory,ডিফল্ট টেরিটরি apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,টিভি DocType: Production Order Operation,Updated via 'Time Log','টাইম ইন' র মাধ্যমে আপডেট -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1} DocType: Naming Series,Series List for this Transaction,এই লেনদেনে সিরিজ তালিকা DocType: Company,Enable Perpetual Inventory,চিরস্থায়ী পরিসংখ্যা সক্ষম করুন DocType: Company,Default Payroll Payable Account,ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট @@ -272,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 +177,For Warehouse is required before Submit,গুদাম জন্য জমা করার আগে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.","যদি চেক করা, উপাদান অনুরোধ অ স্টক আইটেম অন্তর্ভুক্ত করা হবে." @@ -280,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 +2256,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,যোগাযোগের নাম +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,পিওএস গ্রাহক গ্রুপ @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,তারিখ মুক্তিদান যোগদান তারিখ থেকে বড় হওয়া উচিত 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 +189,Warehouse {0} does not belong to company {1},{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 +270,Litre,লিটার +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ত্যাগ অবরুদ্ধ -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ব্যাংক দাখিলা apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,বার্ষিক DocType: Stock Reconciliation Item,Stock Reconciliation Item,শেয়ার রিকনসিলিয়েশন আইটেম @@ -314,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 +316,People who teach at your organisation,যাদের কাছে আপনার প্রতিষ্ঠানের পড়ান +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,ব্যবহারকারী DocType: Item,Publish in Hub,হাব প্রকাশ DocType: Student Admission,Student Admission,ছাত্র-ছাত্রী ভর্তি ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} আইটেম বাতিল করা হয় +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} আইটেম বাতিল করা হয় apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,উপাদানের জন্য অনুরোধ DocType: Bank Reconciliation,Update Clearance Date,আপডেট পরিস্কারের তারিখ DocType: Item,Purchase Details,ক্রয় বিবরণ @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,দ্রুত ব্যবস্থাপক apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,সার্কুলার রেফারেন্স ত্রুটি @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,আপনি এটি টানা পরে পেমেন্ট ভুক্তি নথীটি পরিবর্তিত হয়েছে. আবার এটি টান করুন. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্সে দুইবার প্রবেশ করা হয়েছে +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্সে দুইবার প্রবেশ করা হয়েছে apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,এই সপ্তাহে এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ DocType: Student Applicant,Admitted,ভর্তি DocType: Workstation,Rent Cost,ভাড়া খরচ @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% গৃহীত apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ছাত্র সংগঠনগুলো তৈরি করুন apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,সেটআপ ইতিমধ্যে সম্পূর্ণ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ক্রেডিট নোট পরিমাণ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ক্রেডিট নোট পরিমাণ ,Finished Goods,সমাপ্ত পণ্য DocType: Delivery Note,Instructions,নির্দেশনা DocType: Quality Inspection,Inspected By,পরিদর্শন @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ সেটআপ মাধ্যমে এ্যাটেনডেন্স জন্য সিরিজ সংখ্যায়ন> সংখ্যায়ন সিরিজ apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ক্রয় আদেশ তৈরি করুন ,Purchase Register,ক্রয় নিবন্ধন DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 ম্যানুয়াল পড়ুন @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,সব উত্পাদন প্রক্রিয়া জন্য গ্লোবাল সেটিংস. DocType: Accounts Settings,Accounts Frozen Upto,হিমায়িত পর্যন্ত অ্যাকাউন্ট DocType: SMS Log,Sent On,পাঠানো -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,গুন {0} আরোপ ছক মধ্যে একাধিক বার নির্বাচিত +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,গুন {0} আরোপ ছক মধ্যে একাধিক বার নির্বাচিত DocType: HR Settings,Employee record is created using selected field. ,কর্মচারী রেকর্ড নির্বাচিত ক্ষেত্র ব্যবহার করে নির্মিত হয়. DocType: Sales Order,Not Applicable,প্রযোজ্য নয় apps/erpnext/erpnext/config/hr.py +70,Holiday master.,হলিডে মাস্টার. @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"উপাদান অনুরোধ উত্থাপিত হবে, যার জন্য গুদাম লিখুন দয়া করে" DocType: Production Order,Additional Operating Cost,অতিরিক্ত অপারেটিং খরচ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,অঙ্গরাগ -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",মার্জ করার জন্য নিম্নলিখিত বৈশিষ্ট্য উভয় আইটেম জন্য একই হতে হবে +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",মার্জ করার জন্য নিম্নলিখিত বৈশিষ্ট্য উভয় আইটেম জন্য একই হতে হবে DocType: Shipping Rule,Net Weight,প্রকৃত ওজন DocType: Employee,Emergency Phone,জরুরী ফোন apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,কেনা @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,ম্যানেজিং প্রণীত @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ সম্পাদনা কর ও চার্জ যোগ DocType: Purchase Invoice,Supplier Invoice No,সরবরাহকারী চালান কোন DocType: Territory,For reference,অবগতির জন্য -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","মুছে ফেলা যায় না সিরিয়াল কোন {0}, এটা শেয়ার লেনদেনের ক্ষেত্রে ব্যবহার করা হয় যেমন" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","মুছে ফেলা যায় না সিরিয়াল কোন {0}, এটা শেয়ার লেনদেনের ক্ষেত্রে ব্যবহার করা হয় যেমন" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),বন্ধ (যোগাযোগ Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,আইটেম সরান DocType: Serial No,Warranty Period (Days),পাটা কাল (দিন) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,প্রথম কোম্পানি ও অনুষ্ঠান প্রকার নির্বাচন করুন apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,সঞ্চিত মূল্যবোধ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","দুঃখিত, সিরিয়াল আমরা মার্জ করা যাবে না" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","দুঃখিত, সিরিয়াল আমরা মার্জ করা যাবে না" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,বিক্রয় আদেশ তৈরি করুন DocType: Project Task,Project Task,প্রকল্প টাস্ক ,Lead Id,লিড আইডি @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,বরাদ্দ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,সেলস প্রত্যাবর্তন 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,দ্রষ্টব্য: মোট বরাদ্দ পাতা {0} ইতিমধ্যে অনুমোদন পাতার চেয়ে কম হওয়া উচিত নয় {1} সময়ের জন্য +,Total Stock Summary,মোট শেয়ার সারাংশ DocType: Announcement,Posted By,কারো দ্বারা কোন কিছু ডাকঘরে পাঠানো DocType: Item,Delivered by Supplier (Drop Ship),সরবরাহকারীকে বিতরণ (ড্রপ জাহাজ) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,সম্ভাব্য গ্রাহকদের ডাটাবেস. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,গ্রাহক DocType: Quotation,Quotation To,উদ্ধৃতি DocType: Lead,Middle Income,মধ্য আয় apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),খোলা (যোগাযোগ Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,আপনি ইতিমধ্যে অন্য UOM সঙ্গে কিছু লেনদেন (গুলি) করেছেন কারণ আইটেম জন্য মেজার ডিফল্ট ইউনিট {0} সরাসরি পরিবর্তন করা যাবে না. আপনি একটি ভিন্ন ডিফল্ট UOM ব্যবহার করার জন্য একটি নতুন আইটেম তৈরি করতে হবে. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,আপনি ইতিমধ্যে অন্য UOM সঙ্গে কিছু লেনদেন (গুলি) করেছেন কারণ আইটেম জন্য মেজার ডিফল্ট ইউনিট {0} সরাসরি পরিবর্তন করা যাবে না. আপনি একটি ভিন্ন ডিফল্ট UOM ব্যবহার করার জন্য একটি নতুন আইটেম তৈরি করতে হবে. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,বরাদ্দ পরিমাণ নেতিবাচক হতে পারে না apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,কোম্পানির সেট করুন DocType: Purchase Order Item,Billed Amt,দেখানো হয়েছিল মাসিক @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,মাস্টার্স DocType: Assessment Plan,Maximum Assessment Score,সর্বোচ্চ অ্যাসেসমেন্ট স্কোর apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,আপডেট ব্যাংক লেনদেন তারিখগুলি apps/erpnext/erpnext/config/projects.py +30,Time Tracking,সময় ট্র্যাকিং +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,পরিবহনকারী ক্ষেত্রে সদৃশ DocType: Fiscal Year Company,Fiscal Year Company,অর্থবছরের কোম্পানি DocType: Packing Slip Item,DN Detail,ডিএন বিস্তারিত DocType: Training Event,Conference,সম্মেলন @@ -674,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 +320,Timesheet created:,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড তৈরি করা হয়েছে: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,নথিভুক্ত করা DocType: GST Settings,GST Settings,GST সেটিং DocType: Selling Settings,Customer Naming By,গ্রাহক নেমিং @@ -704,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 +139,Finish,শেষ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,শেষ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,ভিত্তি DocType: Timesheet,Total Billed Hours,মোট বিল ঘন্টা DocType: Journal Entry,Write Off Amount,পরিমাণ বন্ধ লিখুন @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,বিক্রেতা সিটি ,Absent Student Report,অনুপস্থিত শিক্ষার্থীর প্রতিবেদন DocType: Email Digest,Next email will be sent on:,পরবর্তী ইমেলে পাঠানো হবে: DocType: Offer Letter Term,Offer Letter Term,পত্র টার্ম প্রস্তাব -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,আইটেম ভিন্নতা আছে. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,আইটেম ভিন্নতা আছে. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,আইটেম {0} পাওয়া যায়নি DocType: Bin,Stock Value,স্টক মূল্য apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,কোম্পানির {0} অস্তিত্ব নেই @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","একাধিক দাম বিধি একই মানদণ্ড সঙ্গে বিদ্যমান, অগ্রাধিকার বরাদ্দ করে সংঘাত সমাধান করুন. দাম নিয়মাবলী: {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,নিষ্ক্রিয় অথবা অন্য 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 +48,Make Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড করুন +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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,পারিবারিক ইতিহাস DocType: Request for Quotation Supplier,Send Email,বার্তা পাঠাও -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},সতর্কবাণী: অবৈধ সংযুক্তি {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,অনুমতি নেই +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},সতর্কবাণী: অবৈধ সংযুক্তি {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,অনুমতি নেই 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 +269,Nos,আমরা +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} দাখিল করতে হবে @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,খোলা সঞ্চিত অবচয় @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},সিরিয়াল কোন {0} আইটেম অন্তর্গত নয় {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},সিরিয়াল কোন {0} আইটেম অন্তর্গত নয় {1} DocType: Purchase Receipt Item Supplied,Required Qty,প্রয়োজনীয় Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,বিদ্যমান লেনদেনের সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না. DocType: Bank Reconciliation,Total Amount,মোট পরিমাণ @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,উপাদান apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},আইটেম মধ্যে লিখুন দয়া করে অ্যাসেট শ্রেণী {0} DocType: Quality Inspection Reading,Reading 6,6 পঠন -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,না {0} {1} {2} ছাড়া কোনো নেতিবাচক অসামান্য চালান Can +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,না {0} {1} {2} ছাড়া কোনো নেতিবাচক অসামান্য চালান Can 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} @@ -978,12 +982,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 +731,New Sales Invoice,নতুন সেলস চালান +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,সিঙ্ক অফলাইন চালান +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,সিঙ্ক অফলাইন চালান DocType: Payment Request,Paid,প্রদত্ত DocType: Program Fee,Program Fee,প্রোগ্রাম ফি DocType: Salary Slip,Total in words,কথায় মোট @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,রাসায়নিক DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ডিফল্ট ব্যাংক / ক্যাশ অ্যাকাউন্ট স্বয়ংক্রিয়ভাবে যখন এই মোড নির্বাচন করা হয় বেতন জার্নাল এন্ট্রিতে আপডেট করা হবে. DocType: BOM,Raw Material Cost(Company Currency),কাঁচামাল খরচ (কোম্পানির মুদ্রা) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,সকল আইটেম ইতিমধ্যে এই উৎপাদন অর্ডার জন্য স্থানান্তর করা হয়েছে. +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 +270,Meter,মিটার +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,মিটার DocType: Workstation,Electricity Cost,বিদ্যুৎ খরচ DocType: HR Settings,Don't send Employee Birthday Reminders,কর্মচারী জন্মদিনের রিমাইন্ডার পাঠাবেন না DocType: Item,Inspection Criteria,ইন্সপেকশন নির্ণায়ক @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,ব্যালেন্স ঋণের পরিমাণ @@ -1048,7 +1052,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 +259,Qty for {0},জন্য Qty {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ব্লক তালিকা তারিখগুলি ছেড়ে @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,নগদ / ব্যাংক অ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},উল্লেখ করুন একটি {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,পরিমাণ বা মান কোন পরিবর্তনের সঙ্গে সরানো আইটেম. DocType: Delivery Note,Delivery To,বিতরণ -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,গুন টেবিল বাধ্যতামূলক +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,গুন টেবিল বাধ্যতামূলক DocType: Production Planning Tool,Get Sales Orders,বিক্রয় আদেশ পান -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} নেতিবাচক হতে পারে না +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} নেতিবাচক হতে পারে না apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ডিসকাউন্ট DocType: Asset,Total Number of Depreciations,মোট Depreciations সংখ্যা DocType: Sales Invoice Item,Rate With Margin,মার্জিন সঙ্গে হার @@ -1098,7 +1102,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 +1546,ZIP Code,জিপ কোড +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,শেয়ার দাখিলা তৈরীর @@ -1116,7 +1120,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,আপনার সরবরাহকারীদের একটি কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,পরিবেশক DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,শপিং কার্ট শিপিং রুল apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,উৎপাদন অর্ডার {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',সেট 'অতিরিক্ত ডিসকাউন্ট প্রযোজ্য' দয়া করে +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,বিন্যাস কম হতে হয়েছে থেকে চেয়ে পরিসীমা DocType: Global Defaults,Global Defaults,আন্তর্জাতিক ডিফল্ট @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN প্রথম 2 সংখ্যার রাজ্য নম্বর দিয়ে সুসংগত হওয়া আবশ্যক {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ক্ষমতা পরিকল্পনা ত্রুটি +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ক্ষমতা পরিকল্পনা ত্রুটি ,Trial Balance for Party,পার্টি জন্য ট্রায়াল ব্যালেন্স DocType: Lead,Consultant,পরামর্শকারী DocType: Salary Slip,Earnings,উপার্জন @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,ফিরে যেতে হবে apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,রিটার্ন / ডেবিট নোট DocType: Price List Country,Price List Country,মূল্যতালিকা দেশ DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} আইটেম জন্য বৈধ সিরিয়াল আমরা {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} আইটেম জন্য বৈধ সিরিয়াল আমরা {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,আইটেম কোড সিরিয়াল নং জন্য পরিবর্তন করা যাবে না apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},পিওএস প্রোফাইল {0} ইতিমধ্যে ব্যবহারকারীর জন্য তৈরি: {1} এবং কোম্পানি {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM রূপান্তর ফ্যাক্টর @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ','আইটেম কোড দিয়ে আইটেমের জন্য কেন্দ্র উড়ানের তালিকাটি -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","আরও অ্যাকাউন্ট দলের অধীনে করা যেতে পারে, কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে" @@ -1221,7 +1225,7 @@ 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,দেখুন লেজার DocType: Grading Scale,Intervals,অন্তর apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,পুরনো -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","একটি আইটেম গ্রুপ একই নামের সঙ্গে বিদ্যমান, আইটেমের নাম পরিবর্তন বা আইটেম গ্রুপ নামান্তর করুন" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,আইটেম {0} ব্যাচ থাকতে পারে না @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স DocType: Purchase Invoice,Rejected Warehouse,পরিত্যক্ত গুদাম DocType: GL Entry,Against Voucher,ভাউচার বিরুদ্ধে DocType: Item,Default Buying Cost Center,ডিফল্ট রাজধানীতে খরচ কেন্দ্র @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,বিক্রয় আদেশ {0} বৈধ নয় +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ঘটনার কেন্দ্রবিন্দু apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,চুক্তি DocType: Email Digest,Add Quote,উক্তি করো -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM জন্য প্রয়োজন UOM coversion ফ্যাক্টর: {0} আইটেম: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM জন্য প্রয়োজন UOM coversion ফ্যাক্টর: {0} আইটেম: {1} 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 +736,Sync Master Data,সিঙ্ক মাস্টার ডেটা -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,আপনার পণ্য বা সেবা +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,আপনার পণ্য বা সেবা DocType: Mode of Payment,Mode of Payment,পেমেন্ট মোড -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত DocType: Student Applicant,AP,পি DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,এটি একটি root আইটেমটি গ্রুপ এবং সম্পাদনা করা যাবে না. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","প্রাইসিং রুল প্রথম উপর ভিত্তি করে নির্বাচন করা হয় আইটেম, আইটেম গ্রুপ বা ব্র্যান্ড হতে পারে, যা ক্ষেত্র 'প্রয়োগ'." 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 হওয়া উচিত -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},উৎপাদন অর্ডার অবস্থা হয় {0} DocType: Appraisal Goal,Goal,লক্ষ্য DocType: Sales Invoice Item,Edit Description,সম্পাদনা বিবরণ ,Team Updates,টিম আপডেট @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,শিশু গুদাম এই গুদাম জন্য বিদ্যমান. আপনি এই গুদাম মুছতে পারবেন না. DocType: Item,Website Item Groups,ওয়েবসাইট আইটেম গ্রুপ DocType: Purchase Invoice,Total (Company Currency),মোট (কোম্পানি একক) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} সিরিয়াল নম্বর একবারের বেশি প্রবেশ +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 +78,{0} items in progress,{0} প্রগতিতে আইটেম +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,এই উপসর্গবিশিষ্ট সর্বশেষ নির্মিত লেনদেনের সংখ্যা @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,বুটস্ট্র্যাপ 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,7 +1405,7 @@ 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 +260,Max: {0},সর্বোচ্চ: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,যোগাযোগ লগ ইন করুন. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,শিপিং ঠিকানা apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,হিসাবরক্ষনের তালিকা DocType: Material Request,Terms and Conditions Content,শর্তাবলী কনটেন্ট apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,এর চেয়ে বড় 100 হতে পারে না -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} আইটেম একটি স্টক আইটেম নয় +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} আইটেম একটি স্টক আইটেম নয় DocType: Maintenance Visit,Unscheduled,অনির্ধারিত DocType: Employee,Owned,মালিক DocType: Salary Detail,Depends on Leave Without Pay,বিনা বেতনে ছুটি উপর নির্ভর করে @@ -1444,7 +1446,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 +273,We buy this Item,আমরা এই আইটেম কিনতে +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,বন্ধ না অর্থবছরে পি & এল ভারসাম্যকে দেখান @@ -1455,7 +1457,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 +266,Sub Assemblies,উপ সমাহারগুলি +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,উপ সমাহারগুলি DocType: Asset,Asset Name,অ্যাসেট নাম DocType: Project,Task Weight,টাস্ক ওজন DocType: Shipping Rule Condition,To Value,মান @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,উত্স 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 +239,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,পেমেন্ট টেবিল অন্তর্ভুক্ত কোন রেকর্ড apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},এই {0} সঙ্গে দ্বন্দ্ব {1} জন্য {2} {3} DocType: Student Attendance Tool,Students HTML,শিক্ষার্থীরা এইচটিএমএল DocType: POS Profile,Apply Discount,ছাড়ের আবেদন -DocType: Purchase Invoice Item,GST HSN Code,GST HSN কোড +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 +283,Packing Slip(s) cancelled,বাতিল প্যাকিং স্লিপ (গুলি) @@ -1536,8 +1538,8 @@ 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 +2573,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয় -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,বক্স +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 +873,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,রিসিভার তালিকা শূণ্য. রিসিভার তালিকা তৈরি করুন @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,পরিশোধ পদ্ধতি DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","যদি চেক করা, হোম পেজে ওয়েবসাইটের জন্য ডিফল্ট আইটেম গ্রুপ হতে হবে" DocType: Quality Inspection Reading,Reading 4,4 পঠন -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},জন্য {0} প্রকল্পের জন্য পাওয়া যায়নি ডিফল্ট BOM {1} 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ত্যে apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,উদ্ধৃতি করা apps/erpnext/erpnext/config/selling.py +216,Other Reports,অন্যান্য রিপোর্ট DocType: Dependent Task,Dependent Task,নির্ভরশীল কার্য -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},মেজার ডিফল্ট ইউনিট জন্য রূপান্তর গুণনীয়ক সারিতে 1 হতে হবে {0} +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.,অগ্রিম এক্স দিনের জন্য অপারেশন পরিকল্পনা চেষ্টা করুন. 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} DocType: SMS Center,Receiver List,রিসিভার তালিকা -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,অনুসন্ধান আইটেম +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ইতিমধ্যে সম্পন্ন +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/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 +263,Quantity must not be more than {0},পরিমাণ বেশী হবে না {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,গ্রাহক পিওএস আইডি DocType: Account,Account Name,অ্যাকাউন্ট নাম apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,জন্ম তারিখ এর চেয়ে বড় হতে পারে না -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,সিরিয়াল কোন {0} পরিমাণ {1} একটি ভগ্নাংশ হতে পারবেন না +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,সিরিয়াল কোন {0} পরিমাণ {1} একটি ভগ্নাংশ হতে পারবেন না apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,সরবরাহকারী প্রকার মাস্টার. 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 হতে পারে না @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,যানবাহন ডিসপ্যাচ তারিখ +DocType: Purchase Order Item,HSN/SAC,HSN / এসএসি apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,কেনার রসিদ {0} দাখিল করা হয় না DocType: Company,Default Payable Account,ডিফল্ট প্রদেয় অ্যাকাউন্ট apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","যেমন গ্রেপ্তার নিয়ম, মূল্যতালিকা ইত্যাদি হিসাবে অনলাইন শপিং কার্ট এর সেটিংস" @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,পাতার হ DocType: Sales Invoice,Packed Items,বস্তাবন্দী আইটেম apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ক্রমিক নং বিরুদ্ধে পাটা দাবি DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",এটি ব্যবহার করা হয় যেখানে অন্য সব BOMs একটি বিশেষ BOM প্রতিস্থাপন. এটা পুরানো BOM লিঙ্কটি প্রতিস্থাপন খরচ আপডেট এবং নতুন BOM অনুযায়ী "Bom বিস্ফোরণ আইটেম" টেবিলের পুনর্জীবিত হবে -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',সর্বমোট +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',সর্বমোট DocType: Shopping Cart Settings,Enable Shopping Cart,শপিং কার্ট সক্রিয় DocType: Employee,Permanent Address,স্থায়ী ঠিকানা apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ DocType: Material Request,Transferred,স্থানান্তরিত DocType: Vehicle,Doors,দরজা apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ! DocType: Course Assessment Criteria,Weightage,গুরুত্ব +DocType: Sales 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,একটি গ্রাহক গ্রুপ একই নামের সঙ্গে বিদ্যমান গ্রাহকের নাম পরিবর্তন বা ক্রেতা গ্রুপ নামান্তর করুন @@ -1720,7 +1723,7 @@ 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 +699,Offline,অফলাইন +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,একটি কাজের জন্য আবেদনকারী @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,প্রধা apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,বৈকল্পিক DocType: Naming Series,Set prefix for numbering series on your transactions,আপনার লেনদেনের উপর সিরিজ সংখ্যায়ন জন্য সেট উপসর্গ DocType: Employee Attendance Tool,Employees HTML,এমপ্লয়িজ এইচটিএমএল -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে DocType: Employee,Leave Encashed?,Encashed ত্যাগ করবেন? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ক্ষেত্রের থেকে সুযোগ বাধ্যতামূলক DocType: Email Digest,Annual Expenses,বার্ষিক খরচ @@ -1749,7 +1752,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 +175,Work-in-Progress Warehouse is required before Submit,কাজ-অগ্রগতি ওয়্যারহাউস জমা করার আগে প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,আপনার সরবরাহকারীর সম্পর্কে বিধিবদ্ধ তথ্য এবং অন্যান্য সাধারণ তথ্য @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,সিরিয়াল আমরা এ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,শিক্ষার্থীর গ্রুপ স্ট্রেংথ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,জার্নাল বিরুদ্ধে এণ্ট্রি {0} কোনো অপ্রতিম {1} এন্ট্রি নেই apps/erpnext/erpnext/config/hr.py +137,Appraisals,appraisals -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},সিরিয়াল কোন আইটেম জন্য প্রবেশ সদৃশ {0} +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}। ওভার বিলিং অনুমতি দিতে, সেটিংস কেনার সেট করুন" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,প্রদান @@ -1785,12 +1788,12 @@ 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 +257,"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 +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.","আপনি কিনতে বা বিক্রি করে যে আপনার পণ্য বা সেবা তালিকা. যখন আপনি শুরু মেজার এবং অন্যান্য বৈশিষ্ট্য আইটেমটি গ্রুপ, ইউনিট চেক করতে ভুলবেন না." 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: Asset Movement,Asset Movement,অ্যাসেট আন্দোলন -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,নিউ কার্ট +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,চাকা @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ক্রয় রসিদ থেকে জানানোর পান DocType: Serial No,Creation Date,তৈরির তারিখ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} আইটেমের মূল্য তালিকা একাধিক বার প্রদর্শিত {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয়, তাহলে বিক্রি, চেক করা আবশ্যক {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয়, তাহলে বিক্রি, চেক করা আবশ্যক {0}" DocType: Production Plan Material Request,Material Request Date,উপাদান অনুরোধ তারিখ DocType: Purchase Order Item,Supplier Quotation Item,সরবরাহকারী উদ্ধৃতি আইটেম DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,উত্পাদনের অবাধ্য সময় লগ সৃষ্টি নিষ্ক্রিয় করা হয়. অপারেশনস উত্পাদনের আদেশের বিরুদ্ধে ট্র্যাক করা হবে না @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,পণ্য বা সেব DocType: Budget,Fiscal Year,অর্থবছর DocType: Vehicle Log,Fuel Price,জ্বালানীর দাম DocType: Budget,Budget,বাজেট -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,পরিসম্পদ আইটেম একটি অ স্টক আইটেম হতে হবে. +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 +209,e.g. 5,যেমন 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,আপনি বিক্রয় চালান সংরক্ষণ একবার শব্দ দৃশ্যমান হবে. @@ -1846,7 +1849,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 +263,A Product or Service,একটি পণ্য বা পরিষেবা +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,বর্তমান মূল্য @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,জুড়ি +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,জুড়ি apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন DocType: Asset,Depreciation Schedule,অবচয় সূচি apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,সেলস অংশীদার ঠিকানা ও যোগাযোগ @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},আইটেমটি গ্রুপ আইটেমের জন্য আইটেম মাস্টার উল্লেখ না {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে +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,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে DocType: Shipping Rule Condition,Shipping Amount,শিপিং পরিমাণ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,গ্রাহকরা যোগ করুন +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,নিষ্কৃত @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্ ,Supplier-Wise Sales Analytics,সরবরাহকারী প্রজ্ঞাময় বিক্রয় বিশ্লেষণ apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Paid পরিমাণ লিখুন DocType: Salary Structure,Select employees for current Salary Structure,বর্তমান বেতন কাঠামো জন্য কর্মচারী নির্বাচন +DocType: Sales Invoice,Company Address Name,কোম্পানির ঠিকানা নাম 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)","মূল কোর্স (ফাঁকা ছেড়ে দিন, যদি এই মূল কোর্সের অংশ নয়)" @@ -1977,7 +1981,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 +269,Unit,একক +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,অগ্রাহ্য আইটেম শেয়ার রয়েছে সেখানে ওয়্যারহাউস @@ -1998,7 +2002,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার সেলস অর্ডার এক, সেলস চালান বা জার্নাল এন্ট্রি করতে হবে" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: সময় থেকে এবং সময় বাধ্যতামূলক. DocType: Stock Reconciliation Item,Amount Difference,পরিমাণ পার্থক্য @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,অঞ্চল গ্রাহকের সাইট apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,পার্থক্য পরিমাণ শূন্য হতে হবে DocType: Project,Gross Margin,গ্রস মার্জিন -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,প্রথম উত্পাদন আইটেম লিখুন দয়া করে +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 +748,Quotation,উদ্ধৃতি @@ -2019,7 +2023,7 @@ 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: Opportunity,Customer / Lead Address,গ্রাহক / লিড ঠিকানা -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},সতর্কবাণী: সংযুক্তি অবৈধ SSL সার্টিফিকেট {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},সতর্কবাণী: সংযুক্তি অবৈধ SSL সার্টিফিকেট {0} DocType: Student Admission,Eligibility,নির্বাচিত হইবার যোগ্যতা apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","বিশালাকার আপনি ব্যবসা, আপনার বিশালাকার হিসাবে সব আপনার পরিচিতি এবং আরো যোগ পেতে সাহায্য" DocType: Production Order Operation,Actual Operation Time,প্রকৃত অপারেশন টাইম @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,মোট স্কোর গণনা DocType: Request for Quotation,Manufacturing Manager,উৎপাদন ম্যানেজার apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},সিরিয়াল কোন {0} পর্যন্ত ওয়ারেন্টি বা তার কম বয়সী {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,প্যাকেজ বিভক্ত হুণ্ডি. -apps/erpnext/erpnext/hooks.py +87,Shipments,চালানে +apps/erpnext/erpnext/hooks.py +94,Shipments,চালানে DocType: Payment Entry,Total Allocated Amount (Company Currency),সর্বমোট পরিমাণ (কোম্পানি মুদ্রা) DocType: Purchase Order Item,To be delivered to customer,গ্রাহকের মধ্যে বিতরণ করা হবে DocType: BOM,Scrap Material Cost,স্ক্র্যাপ উপাদান খরচ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,সিরিয়াল কোন {0} কোনো গুদাম অন্তর্গত নয় +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,সিরিয়াল কোন {0} কোনো গুদাম অন্তর্গত নয় DocType: Purchase Invoice,In Words (Company Currency),ভাষায় (কোম্পানি একক) DocType: Asset,Supplier,সরবরাহকারী DocType: C-Form,Quarter,সিকি @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,কর্মচারী ঋণ অ DocType: Leave Application,Total Leave Days,মোট ছুটি দিন DocType: Email Digest,Note: Email will not be sent to disabled users,উল্লেখ্য: এটি ইমেল প্রতিবন্ধী ব্যবহারকারীদের পাঠানো হবে না apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,মিথস্ক্রিয়া সংখ্যা -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,আইটেম code> আইটেম গ্রুপ> ব্র্যান্ড 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 +408,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","অন্তত একটি সারিতে বরাদ্দ পরিমাণ, চালান প্রকার এবং চালান নম্বর নির্বাচন করুন" @@ -2102,7 +2105,8 @@ 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,সিইও DocType: Expense Claim Detail,Expense Claim Detail,ব্যয় দাবি বিস্তারিত -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,সঠিক অ্যাকাউন্ট নির্বাচন করুন +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,সরবরাহকারী জন্য তৃতীয়ক +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,সঠিক অ্যাকাউন্ট নির্বাচন করুন DocType: Item,Weight UOM,ওজন UOM DocType: Salary Structure Employee,Salary Structure Employee,বেতন কাঠামো কর্মচারী DocType: Employee,Blood Group,রক্তের গ্রুপ @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,অভিভাবকরা 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 +336,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয় +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,অপরাধ টার্ম @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},মোট অপ DocType: BOM Website Operation,BOM Website Operation,BOM ওয়েবসাইট অপারেশন apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,প্রস্তাবপত্র apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,উপাদান অনুরোধ (এমআরপি) অ্যান্ড প্রোডাকশন আদেশ নির্মাণ করা হয়. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,মোট চালানে মাসিক +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,মোট চালানে মাসিক DocType: BOM,Conversion Rate,রূপান্তর হার apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,পণ্য অনুসন্ধান DocType: Timesheet Detail,To Time,সময় @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,প্রশিক্ষণ ইভেন্ট কর্মচারী -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} আইটেম জন্য প্রয়োজন সিরিয়াল নাম্বার {1}. আপনার দেওয়া {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} আইটেম জন্য প্রয়োজন সিরিয়াল নাম্বার {1}. আপনার দেওয়া {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,বর্তমান মূল্যনির্ধারণ হার DocType: Item,Customer Item Codes,গ্রাহক আইটেম সঙ্কেত apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,এক্সচেঞ্জ লাভ / ক্ষতির @@ -2198,7 +2202,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 +2454,Select Batch No,ব্যাচ নির্বাচন কোন +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,অগ্রিম পরিমাণ @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,ব্যবহারকারীদের DocType: Purchase Order,Customer Mobile No,গ্রাহক মোবাইল কোন DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,পৃথক আয় সন্ধান এবং পণ্য verticals বা বিভাগের জন্য ব্যয়. DocType: Rename Tool,Rename Tool,টুল পুনঃনামকরণ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,আপডেট খরচ +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 +438,Show Salary Slip,বেতন দেখান স্লিপ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,করের যোগ +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,বাজেট অ্যাকাউন্ট @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,কেনার রসিদ কোন apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,অগ্রিক DocType: Process Payroll,Create Salary Slip,বেতন স্লিপ তৈরি apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / এসএসি কোড 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,কর্মচারী @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,পোস্ট গ্র্যাজ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,রক্ষণাবেক্ষণ তফসিল বিস্তারিত DocType: Quality Inspection Reading,Reading 9,9 পঠন DocType: Supplier,Is Frozen,জমাটবাধা -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,গ্রুপ নোড গুদাম লেনদেনের জন্য নির্বাচন করতে অনুমতি দেওয়া হয় না +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,গ্রুপ নোড গুদাম লেনদেনের জন্য নির্বাচন করতে অনুমতি দেওয়া হয় না DocType: Buying Settings,Buying Settings,রাজধানীতে সেটিংস DocType: Stock Entry Detail,BOM No. for a Finished Good Item,একটি সমাপ্ত ভাল আইটেম জন্য BOM নং DocType: Upload Attendance,Attendance To Date,তারিখ উপস্থিতি @@ -2289,13 +2294,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM কোন আইটেম agianst উল্লেখ তাহলে আপনি হার পরিবর্তন করতে পারবেন না +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,পরিমাণ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},সারিতে আইটেম {0} জন্য পরিকল্পনা Qty লিখুন দয়া করে {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,কঠিন মূল্য DocType: BOM,Show Operations,দেখান অপারেশনস ,Minutes to First Response for Opportunity,সুযোগ প্রথম প্রতিক্রিয়া মিনিট apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,মোট অনুপস্থিত -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,পরিমাপের একক DocType: Fiscal Year,Year End Date,বছর শেষ তারিখ DocType: Task Depends On,Task Depends On,কাজের উপর নির্ভর করে @@ -2388,7 +2393,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},সেলস আদেশ পরিমাণ বেশী আইটেম {0} সৃষ্টি করতে পারে না {1} +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/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,পরবর্তী সংস্পর্শের মাধ্যমে লিড ইমেল ঠিকানা হিসাবে একই হতে পারে না @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,সুত্র +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,সুত্র DocType: Budget,Cost Center,খরচ কেন্দ্র apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,ভাউচার # DocType: Notification Control,Purchase Order Message,আদেশ বার্তাতে ক্রয় @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,স্টক সেটিংস @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,কাজটি সমাপ্তির apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,মজুদ নাই DocType: Appraisal,HR User,এইচআর ব্যবহারকারী DocType: Purchase Invoice,Taxes and Charges Deducted,কর ও শুল্ক বাদ -apps/erpnext/erpnext/hooks.py +116,Issues,সমস্যা +apps/erpnext/erpnext/hooks.py +124,Issues,সমস্যা apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},স্থিতি এক হতে হবে {0} DocType: Sales Invoice,Debit To,ডেবিট DocType: Delivery Note,Required only for sample item.,শুধুমাত্র নমুনা আইটেমের জন্য প্রয়োজনীয়. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,এলাকা apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,প্রয়োজনীয় ভিজিট কোন উল্লেখ করুন DocType: Stock Settings,Default Valuation Method,ডিফল্ট মূল্যনির্ধারণ পদ্ধতি +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ফী DocType: Vehicle Log,Fuel Qty,জ্বালানীর Qty DocType: Production Order Operation,Planned Start Time,পরিকল্পনা শুরুর সময় DocType: Course,Assessment,অ্যাসেসমেন্ট @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,উদ্ধৃতি {0} বাতিল করা হয় -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,মোট বকেয়া পরিমাণ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,মোট বকেয়া পরিমাণ DocType: Sales Partner,Targets,লক্ষ্যমাত্রা DocType: Price List,Price List Master,মূল্য তালিকা মাস্টার DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,আপনি সেট এবং নির্দেশকের লক্ষ্যমাত্রা নজর রাখতে পারেন যাতে সব বিক্রয় লেনদেন একাধিক ** বিক্রয় ব্যক্তি ** বিরুদ্ধে ট্যাগ করা যায়. ,S.O. No.,তাই নং -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},লিড থেকে গ্রাহক তৈরি করুন {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},লিড থেকে গ্রাহক তৈরি করুন {0} DocType: Price List,Applicable for Countries,দেশ সমূহ জন্য প্রযোজ্য apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,শুধু ত্যাগ অবস্থা অ্যাপ্লিকেশন অনুমোদিত '' এবং 'প্রত্যাখ্যাত' জমা করা যেতে পারে apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},স্টুডেন্ট গ্রুপের নাম সারিতে বাধ্যতামূলক {0} @@ -2601,6 +2607,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/config/hr.py +163,Define various loan types,বিভিন্ন ঋণ ধরনের নির্ধারণ DocType: Bin,FCFS Rate,FCFs হার DocType: Payment Reconciliation Invoice,Outstanding Amount,বাকির পরিমাণ @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,প্রস্তুত 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.,ডিসকাউন্ট শতাংশ একটি মূল্য তালিকা বিরুদ্ধে বা সব মূল্য তালিকা জন্য হয় প্রয়োগ করা যেতে পারে. DocType: Purchase Invoice,Half-yearly,অর্ধ বার্ষিক apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,"আপনি ইতিমধ্যে মূল্যায়ন মানদণ্ডের জন্য মূল্যায়ন করে নিলে, {}।" DocType: Vehicle Service,Engine Oil,ইঞ্জিনের তেল -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,দয়া করে সেটআপ কর্মচারী হিউম্যান রিসোর্স মধ্যে নামকরণ সিস্টেম> এইচআর সেটিং 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,গ্রাহকের ঠিকানা @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,সংস্থার একাত্মতার অ্যাকাউন্টের একটি পৃথক চার্ট সঙ্গে আইনি সত্তা / সাবসিডিয়ারি. DocType: Payment Request,Mute Email,নিঃশব্দ ইমেইল apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","খাদ্য, পানীয় ও তামাকের" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},শুধুমাত্র বিরুদ্ধে পেমেন্ট করতে পারবেন যেতে উদ্ভাবনী উপায় {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},শুধুমাত্র বিরুদ্ধে পেমেন্ট করতে পারবেন যেতে উদ্ভাবনী উপায় {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,কমিশন হার তার চেয়ে অনেক বেশী 100 হতে পারে না DocType: Stock Entry,Subcontract,ঠিকা apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,প্রথম {0} লিখুন দয়া করে @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,শিক্ষার্থীর মাসের এ্যাটেনডেন্স পত্রক apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},কর্মচারী {0} ইতিমধ্যে আবেদন করেছেন {1} মধ্যে {2} এবং {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,প্রজেক্ট আরম্ভের তারিখ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,পর্যন্ত +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,পর্যন্ত DocType: Rename Tool,Rename Log,পাসওয়ার্ড ভুলে গেছেন? পুনঃনামকরণ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,শিক্ষার্থীর গ্রুপ বা কোর্সের সূচি বাধ্যতামূলক DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,বিলিং ঘন্টা এবং ওয়ার্কিং ঘন্টা শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড একই বজায় @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,ফিরে Qty DocType: Employee,Exit,প্রস্থান apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root- র ধরন বাধ্যতামূলক DocType: BOM,Total Cost(Company Currency),মোট খরচ (কোম্পানি মুদ্রা) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} নির্মিত সিরিয়াল কোন +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,{0} নির্মিত সিরিয়াল কোন DocType: Homepage,Company Description for website homepage,ওয়েবসাইট হোমপেজে জন্য এখানে বর্ণনা DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","গ্রাহকদের সুবিধার জন্য, এই কোড চালান এবং বিলি নোট মত মুদ্রণ বিন্যাস ব্যবহার করা যেতে পারে" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier নাম @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,এসএমএস গেটওয়ে apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,কোর্স সূচী মোছা হয়েছে: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS বিতরণ অবস্থা বজায় রাখার জন্য লগ DocType: Accounts Settings,Make Payment via Journal Entry,জার্নাল এন্ট্রি মাধ্যমে টাকা প্রাপ্তির -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,মুদ্রিত উপর +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,মুদ্রিত উপর DocType: Item,Inspection Required before Delivery,পরিদর্শন ডেলিভারি আগে প্রয়োজনীয় DocType: Item,Inspection Required before Purchase,ইন্সপেকশন ক্রয়ের আগে প্রয়োজনীয় apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,মুলতুবি কার্যক্রম @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ছাত apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,সীমা অতিক্রম apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,এই 'একাডেমিক ইয়ার' দিয়ে একটি একাডেমিক শব্দটি {0} এবং 'টার্ম নাম' {1} আগে থেকেই আছে. এই এন্ট্রি পরিবর্তন করে আবার চেষ্টা করুন. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","আইটেম {0} বিরুদ্ধে বিদ্যমান লেনদেন আছে, আপনার মান পরিবর্তন করতে পারবেন না {1}" +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}","আইটেম {0} বিরুদ্ধে বিদ্যমান লেনদেন আছে, আপনার মান পরিবর্তন করতে পারবেন না {1}" DocType: UOM,Must be Whole Number,গোটা সংখ্যা হতে হবে DocType: Leave Control Panel,New Leaves Allocated (In Days),(দিন) বরাদ্দ নতুন পাতার +DocType: Sales Invoice,Invoice Copy,চালান কপি apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,সিরিয়াল কোন {0} অস্তিত্ব নেই DocType: Sales Invoice Item,Customer Warehouse (Optional),গ্রাহক ওয়্যারহাউস (ঐচ্ছিক) DocType: Pricing Rule,Discount Percentage,ডিসকাউন্ট শতাংশ @@ -2823,8 +2831,10 @@ 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 +305,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,সঞ্চিত অবচয় অ্যাকাউন্ট DocType: Stock Settings,Freeze Stock Entries,ফ্রিজ শেয়ার সাজপোশাকটি +DocType: Program Enrollment,Boarding Student,বোর্ডিং শিক্ষার্থীর DocType: Asset,Expected Value After Useful Life,প্রত্যাশিত মান দরকারী জীবন পর DocType: Item,Reorder level based on Warehouse,গুদাম উপর ভিত্তি রেকর্ডার স্তর DocType: Activity Cost,Billing Rate,বিলিং রেট @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,পাটা / এএমসি বি apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ভ্রমণ ভিত্তিক গ্রুপ জন্য ম্যানুয়ালি ছাত্র নির্বাচন DocType: Journal Entry,User Remark,ব্যবহারকারী মন্তব্য DocType: Lead,Market Segment,মার্কেটের অংশ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Paid পরিমাণ মোট নেতিবাচক অসামান্য পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Paid পরিমাণ মোট নেতিবাচক অসামান্য পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} DocType: Employee Internal Work History,Employee Internal Work History,কর্মচারী অভ্যন্তরীণ কাজের ইতিহাস apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),বন্ধ (ড) DocType: Cheque Print Template,Cheque Size,চেক সাইজ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,না মজুত সিরিয়াল কোন {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,না মজুত সিরিয়াল কোন {0} apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,লেনদেন বিক্রি জন্য ট্যাক্স টেমপ্লেট. DocType: Sales Invoice,Write Off Outstanding Amount,বকেয়া পরিমাণ লিখুন বন্ধ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},অ্যাকাউন্ট {0} কোম্পানির সঙ্গে মেলে না {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,কয়েকটি নমুনা রেকর্ড যোগ +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,সম্পূর্ণ বিতরণ @@ -2893,17 +2903,17 @@ 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,স্টক Qty অনুমিত -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,গ্রাহকের ক্রয় আদেশ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ক্রমিক নং এবং ব্যাচ DocType: Warranty Claim,From Company,কোম্পানীর কাছ থেকে -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,মূল্যায়ন মানদণ্ড স্কোর যোগফল {0} হতে হবে. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,মূল্যায়ন মানদণ্ড স্কোর যোগফল {0} হতে হবে. 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 +270,Minute,মিনিট +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,মিনিট DocType: Purchase Invoice,Purchase Taxes and Charges,কর ও শুল্ক ক্রয় ,Qty to Receive,জখন Qty DocType: Leave Block List,Leave Block List Allowed,ব্লক তালিকা প্রেজেন্টেশন ত্যাগ @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,গণমুখী apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ব্যাংক ওভারড্রাফ্ট অ্যাকাউন্ট apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,বেতন স্লিপ করুন apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,সারি # {0}: বরাদ্দ বকেয়া পরিমাণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না। -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ব্রাউজ BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ব্রাউজ BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,নিরাপদ ঋণ DocType: Purchase Invoice,Edit Posting Date and Time,পোস্টিং তারিখ এবং সময় সম্পাদনা apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},সম্পদ শ্রেণী {0} বা কোম্পানির অবচয় সম্পর্কিত হিসাব নির্ধারণ করুন {1} @@ -2939,7 +2949,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 +278,Select Quantity,পরিমাণ বাছাই কর +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,এই ইমেইল ডাইজেস্ট থেকে সদস্যতা রদ @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},বেশী না পুরোনো স্টক লেনদেন হালনাগাদ করার অনুমতি {0} DocType: Purchase Invoice Item,PR Detail,জনসংযোগ বিস্তারিত DocType: Sales Order,Fully Billed,সম্পূর্ণ দেখানো হয়েছিল +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার 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 +127,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),প্যাকেজের গ্রস ওজন. সাধারণত নেট ওজন + প্যাকেজিং উপাদান ওজন. (প্রিন্ট জন্য) @@ -2999,8 +3010,9 @@ 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} দাখিল করা হয় না ক্রয় DocType: Customs Tariff Number,Tariff Number,ট্যারিফ নম্বর +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP ওয়্যারহাউস এ উপলব্ধ করে চলছে apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,অভিক্ষিপ্ত -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},সিরিয়াল কোন {0} ওয়্যারহাউস অন্তর্গত নয় {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},সিরিয়াল কোন {0} ওয়্যারহাউস অন্তর্গত নয় {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,উল্লেখ্য: {0} পরিমাণ বা পরিমাণ 0 হিসাবে বিতরণ-বহুবার-বুকিং আইটেম জন্য সিস্টেম পরীক্ষা করা হবে না DocType: Notification Control,Quotation Message,উদ্ধৃতি পাঠান DocType: Employee Loan,Employee Loan Application,কর্মচারী ঋণ আবেদন @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ল্যান্ড কস্ট ভাউচার পরিমাণ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,প্রস্তাব উত্থাপিত বিল. DocType: POS Profile,Write Off Account,অ্যাকাউন্ট বন্ধ লিখতে -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ডেবিট নোট Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ডেবিট নোট Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,হ্রাসকৃত মুল্য 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 +207,e.g. VAT,যেমন ভ্যাট +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,সাব-কন্ট্রাক্ট @@ -3032,7 +3044,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 +1945,Please select customer,দয়া করে গ্রাহক নির্বাচন +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,দয়া করে গ্রাহক নির্বাচন DocType: C-Form,I,আমি DocType: Company,Asset Depreciation Cost Center,অ্যাসেট অবচয় মূল্য কেন্দ্র DocType: Sales Order Item,Sales Order Date,বিক্রয় আদেশ তারিখ @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,নিম্নক্রমে ঠিকানার apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,পার্টির বাধ্যতামূলক DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,টপিক নাম -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,বিক্রি বা কেনার অন্তত একটি নির্বাচন করতে হবে +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,বিক্রি বা কেনার অন্তত একটি নির্বাচন করতে হবে apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,আপনার ব্যবসার প্রকৃতি নির্বাচন করুন. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},সারি # {0}: সদৃশ তথ্যসূত্র মধ্যে এন্ট্রি {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,উত্পাদন অপারেশন কোথায় সম্পন্ন হয়. @@ -3070,7 +3082,7 @@ 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} DocType: Employee,Confirmation Date,নিশ্চিতকরণ তারিখ DocType: C-Form,Total Invoiced Amount,মোট invoiced পরিমাণ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,ন্যূনতম Qty সর্বোচ্চ Qty তার চেয়ে অনেক বেশী হতে পারে না +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ন্যূনতম Qty সর্বোচ্চ Qty তার চেয়ে অনেক বেশী হতে পারে না DocType: Account,Accumulated Depreciation,সঞ্চিত অবচয় DocType: Stock Entry,Customer or Supplier Details,গ্রাহক বা সরবরাহকারী DocType: Employee Loan Application,Required by Date,তারিখ দ্বারা প্রয়োজনীয় @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,অর্ড apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,কোম্পানির নাম কোম্পানি হতে পারে না apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,মুদ্রণ টেমপ্লেট জন্য পত্র নেতৃবৃন্দ. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,মুদ্রণ টেমপ্লেট শিরোনাম চালানকল্প যেমন. +DocType: Program Enrollment,Walking,চলাফেরা DocType: Student Guardian,Student Guardian,ছাত্র গার্ডিয়ান apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,মূল্যনির্ধারণ টাইপ চার্জ সমেত হিসাবে চিহ্নিত করতে পারেন না DocType: POS Profile,Update Stock,আপডেট শেয়ার -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,আইটেম জন্য বিভিন্ন UOM ভুল (মোট) নিট ওজন মান হতে হবে. প্রতিটি আইটেমের নিট ওজন একই UOM হয় তা নিশ্চিত করুন. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM হার DocType: Asset,Journal Entry for Scrap,স্ক্র্যাপ জন্য জার্নাল এন্ট্রি @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,দেখান ট্যাক্স ব্রেক আপ apps/erpnext/erpnext/accounts/party.py +308,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,কোন ছাত্র পাওয়া @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,কোন শিক্ষার্থীরা +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 +108,Please enter 'Expected Delivery Date','প্রত্যাশিত প্রসবের তারিখ' দয়া করে প্রবেশ করুন apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,অবৈধ GSTIN বা অনিবন্ধিত জন্য na লিখুন +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),অবদান (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,উল্লেখ্য: পেমেন্ট ভুক্তি থেকে তৈরি করা হবে না 'ক্যাশ বা ব্যাংক একাউন্ট' উল্লেখ করা হয়নি apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,দায়িত্ব DocType: Expense Claim Account,Expense Claim Account,ব্যয় দাবি অ্যাকাউন্ট +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} সেটআপ> সেটিংস মাধ্যমে> নামকরণ সিরিজ জন্য সিরিজ নামকরণ সেট করুন 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,ব্যবহারকারী যুক্ত করুন 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 জনেরও বেশি হতে পারে না. DocType: Stock Reconciliation Item,Before reconciliation,পুনর্মিলন আগে apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},করুন {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),কর ও চার্জ যোগ (কোম্পানি একক) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,আইটেমটি ট্যাক্স সারি {0} টাইপ ট্যাক্স বা আয় বা ব্যয় বা প্রদেয় এর একাউন্ট থাকতে হবে +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,আইটেমটি ট্যাক্স সারি {0} টাইপ ট্যাক্স বা আয় বা ব্যয় বা প্রদেয় এর একাউন্ট থাকতে হবে DocType: Sales Order,Partly Billed,আংশিক দেখানো হয়েছিল apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,আইটেম {0} একটি ফিক্সড অ্যাসেট আইটেম হতে হবে DocType: Item,Default BOM,ডিফল্ট BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ডেবিট নোট পরিমাণ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ডেবিট নোট পরিমাণ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,পুনরায় টাইপ কোম্পানি নাম নিশ্চিত অনুগ্রহ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,মোট বিশিষ্ট মাসিক +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,মোট বিশিষ্ট মাসিক DocType: Journal Entry,Printing Settings,মুদ্রণ সেটিংস DocType: Sales Invoice,Include Payment (POS),পেমেন্ট অন্তর্ভুক্ত করুন (পিওএস) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},মোট ডেবিট মোট ক্রেডিট সমান হতে হবে. পার্থক্য হল {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,স্ DocType: Vehicle,Insurance Company,বীমা কোম্পানী DocType: Asset Category Account,Fixed Asset Account,পরিসম্পদ অ্যাকাউন্ট apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,পরিবর্তনশীল -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ডেলিভারি নোট থেকে +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ডেলিভারি নোট থেকে DocType: Student,Student Email Address,ছাত্র ইমেইল ঠিকানা DocType: Timesheet Detail,From Time,সময় থেকে apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,স্টক ইন: DocType: Notification Control,Custom Message,নিজস্ব বার্তা apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,বিনিয়োগ ব্যাংকিং apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ক্যাশ বা ব্যাংক একাউন্ট পেমেন্ট এন্ট্রি করার জন্য বাধ্যতামূলক -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ সেটআপ মাধ্যমে এ্যাটেনডেন্স জন্য সিরিজ সংখ্যায়ন> সংখ্যায়ন সিরিজ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,শিক্ষার্থীর ঠিকানা 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 +1517,Address Name,ঠিকানা নাম +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ঠিকানা নাম DocType: Stock Entry,From BOM,BOM থেকে DocType: Assessment Code,Assessment Code,অ্যাসেসমেন্ট কোড apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,মৌলিক @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না. +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/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,মাসিক পরিশোধ পরিমাণ ঋণের পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,লিখুন মান ধনাত্মক হবে +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,ছাত্র ইতিমধ্যে নথিভুক্ত করা হয়. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,প্রক্রিয়া বে apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,কার্যদিবসের তুলনায় আরো ছুটির এই মাস আছে. DocType: Product Bundle Item,Product Bundle Item,পণ্য সমষ্টি আইটেম DocType: Sales Partner,Sales Partner Name,বিক্রয় অংশীদার নাম -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,উদ্ধৃতি জন্য অনুরোধ DocType: Payment Reconciliation,Maximum Invoice Amount,সর্বাধিক চালান পরিমাণ DocType: Student Language,Student Language,ছাত্র ভাষা apps/erpnext/erpnext/config/selling.py +23,Customers,গ্রাহকদের @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,আংশিকভাবে মূল্য DocType: Issue,Opening Time,খোলার সময় apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,থেকে এবং প্রয়োজনীয় তারিখগুলি apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,সিকিউরিটিজ ও পণ্য বিনিময়ের -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',বৈকল্পিক জন্য মেজার ডিফল্ট ইউনিট '{0}' টেমপ্লেট হিসাবে একই হতে হবে '{1}' +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 +847,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,কাঁচামাল +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,তারিখ খোলার তারিখ বন্ধ করার আগে করা উচিত -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} সেটআপ> সেটিংস মাধ্যমে> নামকরণ সিরিজ জন্য সিরিজ নামকরণ সেট করুন 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.,"দিন, যার জন্য ছুটির এই বিভাগের জন্য ব্লক করা হয়." @@ -3330,8 +3341,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',বিভাগ 'মূল্যনির্ধারণ' বা 'মূল্যনির্ধারণ এবং মোট' জন্য যখন বিয়োগ করা যাবে -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},ধারাবাহিকভাবে আইটেম জন্য সিরিয়াল আমরা প্রয়োজনীয় {0} +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/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,ব্যাংক এণ্ট্রি DocType: Authorization Rule,Applicable To (Designation),প্রযোজ্য (পদবী) @@ -3348,7 +3359,7 @@ 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 +270,Hour,ঘন্টা +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,আপনি ব্লক তারিখগুলি উপর পাতার অনুমোদন যথাযথ অনুমতি নেই @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,বিক্রয় বিন্দু +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,বিক্রয় বিন্দু DocType: Payment Entry,Received Amount,প্রাপ্তঃ পরিমাণ DocType: GST Settings,GSTIN Email Sent On,GSTIN ইমেইল পাঠানো DocType: Program Enrollment,Pick/Drop by Guardian,চয়ন করুন / অবিভাবক দ্বারা ড্রপ @@ -3373,8 +3384,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 +270,Gram,গ্রাম -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত. +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/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% হয়. @@ -3399,14 +3410,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 +465,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,একাধিক কর্মীদের জন্য মার্ক এ্যাটেনডেন্স @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,বিলিং রাজ্য @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},অবৈধ অ্যাট্রিবিউট {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',দয়া করে মূল্যায়ন 'সমস্ত অ্যাসেসমেন্ট গোষ্ঠীসমূহ' ছাড়া অন্য গোষ্ঠী নির্বাচন করুন @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,বেতন উপা DocType: Program Enrollment Tool,New Academic Year,নতুন শিক্ষাবর্ষ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,রিটার্ন / ক্রেডিট নোট DocType: Stock Settings,Auto insert Price List rate if missing,অটো সন্নিবেশ মূল্য তালিকা হার অনুপস্থিত যদি -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,মোট প্রদত্ত পরিমাণ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,মোট প্রদত্ত পরিমাণ DocType: Production Order Item,Transferred Qty,স্থানান্তর করা Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,সমুদ্রপথে 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 +272,We sell this Item,আমরা এই আইটেম বিক্রয় +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,নমুনা তথ্য 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,অর্ধদিবস তারিখ @@ -3640,7 +3653,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 +1186,Please set Company,সেট করুন কোম্পানির +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,সেট করুন কোম্পানির DocType: Pricing Rule,Buying,ক্রয় DocType: HR Settings,Employee Records to be created by,কর্মচারী রেকর্ড করে তৈরি করা DocType: POS Profile,Apply Discount On,Apply ছাড়ের উপর @@ -3656,13 +3669,14 @@ 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,ফি সংগ্রহ DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},বারকোড {0} ইতিমধ্যে আইটেম ব্যবহৃত {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},বারকোড {0} ইতিমধ্যে আইটেম ব্যবহৃত {1} DocType: Lead,Add to calendar on this date,এই তারিখে ক্যালেন্ডারে যোগ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,শিপিং খরচ যোগ করার জন্য বিধি. DocType: Item,Opening Stock,খোলা স্টক apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,গ্রাহক প্রয়োজন বোধ করা হয় apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ফিরার জন্য বাধ্যতামূলক DocType: Purchase Order,To Receive,গ্রহণ করতে +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,ব্যক্তিগত ইমেইল apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,মোট ভেদাংক DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","সক্রিয় করা হলে, সিস্টেম স্বয়ংক্রিয়ভাবে পরিসংখ্যা জন্য অ্যাকাউন্টিং এন্ট্রি পোস্ট করতে হবে." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,স্ট্যান্ডার্ড বিক্রি @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,পাটা আউট DocType: BOM Replace Tool,Replace,প্রতিস্থাপন করা apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,কোন পণ্য পাওয়া যায় নি। -DocType: Production Order,Unstopped,মুক্ত apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} বিক্রয় চালান বিপরীতে {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,প্রকল্পের নাম @@ -3692,6 +3705,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} 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} বা ইতিমধ্যে অন্যান্য ভাউচার বিরুদ্ধে মিলেছে অ্যাকাউন্ট নেই @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,এটা যেহেতু উপেক্ষা আইটেম {0} একটি স্টক আইটেমটি নয় +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 +40,Submit this Production Order for further processing.,আরও প্রক্রিয়াকরণের জন্য এই উৎপাদন অর্ডার জমা. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,জবস @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),হার (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","নিজেকে ছাড়া অন্য, আপনার প্রতিষ্ঠানের ব্যবহারকারীদের যুক্ত করুন" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',দয়া করে কোম্পানির ফাঁকা ফিল্টার সেট করুন যদি একদল 'কোম্পানি' হল apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,পোস্টিং তারিখ ভবিষ্যতে তারিখে হতে পারে না apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},সারি # {0}: সিরিয়াল কোন {1} সঙ্গে মেলে না {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,নৈমিত্তিক ছুটি @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,স্টক লেজার এ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. কলাম ফাঁকা রাখা আবশ্যক +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. কলাম ফাঁকা রাখা আবশ্যক DocType: Accounts Settings,Accounts Settings,সেটিংস অ্যাকাউন্ট apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,অনুমোদন করা DocType: Customer,Sales Partner and Commission,বিক্রয় অংশীদার এবং কমিশন @@ -3787,7 +3803,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 +62,{0} items produced,{0} উত্পাদিত আইটেম +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,প্রত্যাবর্তন @@ -3801,7 +3817,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,বিনিময় হার -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,দ্রুতগামী ব্যবস্থাপনা @@ -3826,18 +3842,18 @@ 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 +705,Online,অনলাইন +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} অক্ষম করা হয়েছে DocType: Employee Loan,Repay Fixed Amount per Period,শোধ সময়কাল প্রতি নির্দিষ্ট পরিমাণ apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},আইটেমের জন্য পরিমাণ লিখুন দয়া করে {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ক্রেডিট নোট Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ক্রেডিট নোট Amt DocType: Employee External Work History,Employee External Work History,কর্মচারী বাহ্যিক কাজের ইতিহাস DocType: Tax Rule,Purchase,ক্রয় apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ব্যালেন্স Qty @@ -3862,7 +3878,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 +2383,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন DocType: Employee,Encashment Date,নগদীকরণ তারিখ DocType: Training Event,Internet,ইন্টারনেটের DocType: Account,Stock Adjustment,শেয়ার সামঞ্জস্য @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,অভিভাবক DocType: Grading Scale Interval,Threshold,গোবরাট DocType: BOM Replace Tool,Current BOM,বর্তমান BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,সিরিয়াল কোন যোগ +DocType: Production Order Item,Available Qty at Source Warehouse,উত্স ওয়্যারহাউস এ উপলব্ধ করে চলছে apps/erpnext/erpnext/config/support.py +22,Warranty,পাটা DocType: Purchase Invoice,Debit Note Issued,ডেবিট নোট ইস্যু DocType: Production Order,Warehouses,ওয়ারহাউস @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,পরিম apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,প্রকল্প ব্যবস্থাপক ,Quoted Item Comparison,উদ্ধৃত আইটেম তুলনা apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,প্রাণবধ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,আইটেম জন্য অনুমোদিত সর্বোচ্চ ছাড়: {0} {1}% হল +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 +279,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 +879,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে" DocType: Item,Material Issue,উপাদান ইস্যু DocType: Hub Settings,Seller Description,বিক্রেতা বিবরণ DocType: Employee Education,Qualification,যোগ্যতা @@ -3936,7 +3953,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},তারিখ রাজস্ব বছরের মধ্যে হতে হবে. = জন্ম 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 +200,Cannot cancel because submitted Stock Entry {0} exists,জমা স্টক এণ্ট্রি {0} থাকার কারণে বাতিল করতে পারেন না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,জমা স্টক এণ্ট্রি {0} থাকার কারণে বাতিল করতে পারেন না DocType: Employee Loan,Disbursement Date,ব্যয়ন তারিখ DocType: Vehicle,Vehicle,বাহন DocType: Purchase Invoice,In Words,শব্দসমূহে @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",", ডিফল্ট হিসাবে চলতি অর্থবছরেই সেট করতে 'ডিফল্ট হিসাবে সেট করুন' ক্লিক করুন" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,যোগদান apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ঘাটতি Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান DocType: Employee Loan,Repay from Salary,বেতন থেকে শুধা DocType: Leave Application,LAP/,ভাঁজ/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},বিরুদ্ধে পেমেন্ট অনুরোধ {0} {1} পরিমাণ জন্য {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,সিরিয়াল কোন {0} ইতিমধ্যে গৃহীত হয়েছে +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: Expense Claim,Vehicle Log,যানবাহন লগ DocType: Purchase Invoice,Recurring Id,পুনরাবৃত্ত আইডি DocType: Customer,Sales Team Details,সেলস টিম বিবরণ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},অকার্যকর {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},অকার্যকর {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,অসুস্থতাজনিত ছুটি DocType: Email Digest,Email Digest,ইমেইল ডাইজেস্ট DocType: Delivery Note,Billing Address Name,বিলিং ঠিকানা নাম @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,প্রদেয় DocType: Company,Change Abbreviation,পরিবর্তন সমাহার DocType: Expense Claim Detail,Expense Date,ব্যয় তারিখ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,আইটেম code> আইটেম গ্রুপ> ব্র্যান্ড DocType: Item,Max Discount (%),সর্বোচ্চ ছাড় (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,শেষ আদেশ পরিমাণ DocType: Task,Is Milestone,মাইলফলক @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,নতুন প্রোগ্র DocType: Item Attribute Value,Attribute Value,মূল্য গুন ,Itemwise Recommended Reorder Level,Itemwise রেকর্ডার শ্রেনী প্রস্তাবিত DocType: Salary Detail,Salary Detail,বেতন বিস্তারিত -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,প্রথম {0} দয়া করে নির্বাচন করুন -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,আইটেম এর ব্যাচ {0} {1} মেয়াদ শেষ হয়ে গেছে. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,প্রথম {0} দয়া করে নির্বাচন করুন +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,আইটেম এর ব্যাচ {0} {1} মেয়াদ শেষ হয়ে গেছে. DocType: Sales Invoice,Commission,কমিশন apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,উত্পাদন জন্য টাইম শিট. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,উপমোট @@ -4047,12 +4065,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 +399,Operation Time must be greater than 0 for Operation {0},অপারেশন টাইম অপারেশন জন্য তার চেয়ে অনেক বেশী 0 হতে হবে {0} +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/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 +387,Production Order cannot be raised against a Item Template,উৎপাদন অর্ডার একটি আইটেম টেমপ্লেট বিরুদ্ধে উত্থাপিত হতে পারবেন না +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,শুরুর তারিখ @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,নিষ্পত্তি তারিখ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ইমেল দেওয়া ঘন্টা এ কোম্পানির সব সক্রিয় এমপ্লয়িজ পাঠানো হবে, যদি তারা ছুটির দিন না. প্রতিক্রিয়া সংক্ষিপ্তসার মধ্যরাতে পাঠানো হবে." DocType: Employee Leave Approver,Employee Leave Approver,কর্মী ছুটি রাজসাক্ষী -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","উদ্ধৃতি দেয়া হয়েছে, কারণ যত হারিয়ে ডিক্লেয়ার করতে পারেন না." 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} দাখিল করতে হবে উৎপাদন @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,ছাত্র apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,সংগঠনের ইউনিটের (ডিপার্টমেন্ট) মাস্টার. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,বৈধ মোবাইল টি লিখুন দয়া করে apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,পাঠানোর আগে বার্তা লিখতে +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,সরবরাহকারী ক্ষেত্রে সদৃশ DocType: Email Digest,Pending Quotations,উদ্ধৃতি অপেক্ষারত apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,পয়েন্ট অফ বিক্রয় প্রোফাইল apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,এসএমএস সেটিংস আপডেট করুন @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,খরচ কেন্দ্র নাম DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,ম্যাক্স শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড বিরুদ্ধে কাজ ঘন্টা DocType: Maintenance Schedule Detail,Scheduled Date,নির্ধারিত তারিখ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,মোট পরিশোধিত মাসিক +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,মোট পরিশোধিত মাসিক DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 অক্ষরের বেশী বেশী বার্তা একাধিক বার্তা বিভক্ত করা হবে DocType: Purchase Receipt Item,Received and Accepted,গৃহীত হয়েছে এবং গৃহীত ,GST Itemised Sales Register,GST আইটেমাইজড সেলস নিবন্ধন @@ -4133,7 +4152,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 +237,Your Suppliers,আপনার সরবরাহকারীদের +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',কেটে যাবে না যখন আরো মূল্যনির্ধারণ 'বা' Vaulation এবং মোট 'জন্য নয় @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","ক্রয় সেটিংস অনুযায়ী ক্রয় Reciept প্রয়োজনীয় == 'হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় রশিদ তৈরি করতে হবে যদি {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,আইটেম {1} সংযুক্ত ওয়েবসাইট চিত্র {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.,ওয়েবসাইটে একাধিক গ্রুপ এই আইটেম তালিকা. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,এটার apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,গুদাম থেকে apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,সকল স্টুডেন্ট অ্যাডমিশন ,Average Commission Rate,গড় কমিশন হার -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'সিরিয়াল নং আছে' কখনই নন-ষ্টক আইটেমের ক্ষেত্রে 'হ্যাঁ' হতে পারবে না +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'সিরিয়াল নং আছে' কখনই নন-ষ্টক আইটেমের ক্ষেত্রে 'হ্যাঁ' হতে পারবে না apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,এ্যাটেনডেন্স ভবিষ্যতে তারিখগুলি জন্য চিহ্নিত করা যাবে না DocType: Pricing Rule,Pricing Rule Help,প্রাইসিং শাসন সাহায্য DocType: School House,House Name,হাউস নাম @@ -4176,7 +4195,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 +339,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,বীমা তারিখ শুরু তুলনায় বীমা শেষ তারিখ কম হওয়া উচিত @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে সময় শীট জন্য নির্মিত {1} DocType: Vehicle Log,Odometer,দূরত্বমাপণী DocType: Sales Order Item,Ordered Qty,আদেশ Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয় +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 +874,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,ফুয়েলিং বিস্তারিত apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,বেতন Slips নির্মাণ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয় তাহলে কেনার, চেক করা আবশ্যক {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয় তাহলে কেনার, চেক করা আবশ্যক {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,বাট্টা কম 100 হতে হবে 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 +500,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,প্রোগ্রাম তালিকাভুক্তি DocType: Landed Cost Voucher,Landed Cost Voucher,ল্যান্ড কস্ট ভাউচার @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,এমভি apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,প্রত্যাশিত তারিখ উপাদান অনুরোধ তারিখের আগে হতে পারে না DocType: Purchase Invoice Item,Stock Qty,স্টক Qty -DocType: Production Order,Source Warehouse (for reserving Items),উত্স ওয়্যারহাউস (সামগ্রী সংরক্ষণ জন্য) DocType: Employee Loan,Repayment Period in Months,মাস মধ্যে ঋণ পরিশোধের সময় সীমা apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ত্রুটি: একটি বৈধ আইডি? DocType: Naming Series,Update Series Number,আপডেট সিরিজ সংখ্যা @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,পরিকল্পনা শেষ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,আইটেম কোথায় সংরক্ষণ করা হয়. DocType: Request for Quotation,Supplier Detail,সরবরাহকারী বিস্তারিত apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},সূত্র বা অবস্থায় ত্রুটি: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Invoiced পরিমাণ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Invoiced পরিমাণ DocType: Attendance,Attendance,উপস্থিতি apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,শেয়ার চলছে DocType: BOM,Materials,উপকরণ @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,সেটআপ আমার প্রতিষ্ঠানের জন্য একটি সহজ ওয়েবসাইট +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0} DocType: Item,Default Warehouse,ডিফল্ট ওয়্যারহাউস apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},বাজেট গ্রুপ অ্যাকাউন্ট বিরুদ্ধে নিয়োগ করা যাবে না {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ঊর্ধ্বতন খরচ কেন্দ্র লিখুন দয়া করে @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ +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/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,এই কর্মচারী উপস্থিতি উপর ভিত্তি করে @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,বছরের শুরু তারিখ DocType: Attendance,Employee Name,কর্মকর্তার নাম DocType: Sales Invoice,Rounded Total (Company Currency),গোলাকৃতি মোট (কোম্পানি একক) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,দয়া করে সেটআপ কর্মচারী হিউম্যান রিসোর্স মধ্যে নামকরণ সিস্টেম> এইচআর সেটিং 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} নথীটি পরিবর্তিত হয়েছে. রিফ্রেশ করুন. DocType: Leave Block List,Stop users from making Leave Applications on following days.,নিম্নলিখিত দিন ছুটি অ্যাপ্লিকেশন তৈরি করা থেকে ব্যবহারকারীদের বিরত থাকুন. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 পড়া ,Hub,হাব DocType: GL Entry,Voucher Type,ভাউচার ধরন -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী 'বাম' হিসাবে @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,পরিমাণ পরিব apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},সারি {0}: পার্টি / অ্যাকাউন্টের সাথে মেলে না {1} / {2} এ {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ব্যয় অ্যাকাউন্ট লিখুন দয়া করে DocType: Account,Stock,স্টক -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে" DocType: Employee,Current Address,বর্তমান ঠিকানা DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","স্পষ্টভাবে উল্লেখ তবে আইটেমটি তারপর বর্ণনা, চিত্র, প্রাইসিং, করের টেমপ্লেট থেকে নির্ধারণ করা হবে ইত্যাদি অন্য আইটেম একটি বৈকল্পিক যদি" DocType: Serial No,Purchase / Manufacture Details,ক্রয় / প্রস্তুত বিস্তারিত @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,বাসার ঠিকানা apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ট্রান্সফার অ্যাসেট DocType: POS Profile,POS Profile,পিওএস প্রোফাইল DocType: Training Event,Event Name,অনুষ্ঠানের নাম -apps/erpnext/erpnext/config/schools.py +39,Admission,স্বীকারোক্তি +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,স্বীকারোক্তি apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},জন্য অ্যাডমিশন {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} আইটেম একটি টেমপ্লেট, তার ভিন্নতা একটি নির্বাচন করুন" DocType: Asset,Asset Category,অ্যাসেট শ্রেণী +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ক্রেতা apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না DocType: SMS Settings,Static Parameters,স্ট্যাটিক পরামিতি DocType: Assessment Plan,Room,কক্ষ @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,আইটেমটি ট্যাক্স apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,সরবরাহকারী উপাদান apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,আবগারি চালান apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ট্রেশহোল্ড {0}% একবারের বেশি প্রদর্শিত +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপের> টেরিটরি 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,বর্তমান দায় @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,এগিয়ে বহন করা হ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,শেয়ার করুন সংক্ষিপ্ত diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv index 290a321a9c..fee67e0f35 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 +194,"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 +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" 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č @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Lista odmora -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Računovođa +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Računovođa DocType: Cost Center,Stock User,Stock korisnika DocType: Company,Phone No,Telefonski broj apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Rasporedi Course stvorio: @@ -110,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} 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nije dozvoljeno za {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Get stavke iz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nije pronađenim predmetima +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Izvještaji DocType: Warehouse,Warehouse Detail,Detalji o skladištu apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prešla za kupca {0} {1} / {2} 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.,Termin Završni datum ne može biti kasnije od kraja godine Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1} DocType: Item,Copy From Item Group,Primjerak iz točke Group DocType: Journal Entry,Opening Entry,Otvaranje unos -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> grupu korisnika> Territory apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun plaćaju samo DocType: Employee Loan,Repay Over Number of Periods,Otplatiti Preko broj perioda DocType: Stock Entry,Additional Costs,Dodatni troškovi @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nekretnine -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Izjava o računu +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 DocType: Purchase Invoice Item,Is Fixed Asset,Fiksni Asset apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Dostupno Količina je {0}, potrebno je {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Potrošni +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Primjer: Osnovni Matematika +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/config/hr.py +214,Settings for HR Module,Podešavanja modula ljudskih resursa DocType: SMS Center,SMS Center,SMS centar @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Stavke i cijene apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Ukupan broj sati: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,citati DocType: Customer,Individual,Pojedinac DocType: Interest,Academics User,akademici korisnika DocType: Cheque Print Template,Amount In Figure,Iznos Na slici @@ -265,7 +266,7 @@ DocType: Employee,Create User,Kreiranje korisnika DocType: Selling Settings,Default Territory,Zadani teritorij apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televizija DocType: Production Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},iznos Advance ne može biti veći od {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},iznos Advance ne može biti veći od {0} {1} DocType: Naming Series,Series List for this Transaction,Serija Popis za ovu transakciju DocType: Company,Enable Perpetual Inventory,Omogućiti vječni zaliha DocType: Company,Default Payroll Payable Account,Uobičajeno zarade plaćaju nalog @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontakt ime +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ostavlja per Godina 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 +189,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1} +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,banka unosi apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,godišnji DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pomirenje Item @@ -315,7 +316,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 +316,People who teach at your organisation,Ljudi koji predaju u vašoj organizaciji +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Dopustite korisniku da uređivanje 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 +699,Item {0} is cancelled,Artikal {0} je otkazan +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 +882,Material Request,Materijal zahtjev DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum DocType: Item,Purchase Details,Kupnja Detalji @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +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' 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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0}pritisnite dva puta u sifri poreza +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0}pritisnite dva puta u sifri poreza apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Pregled za ovaj tjedan i aktivnostima na čekanju DocType: Student Applicant,Admitted,Prihvaćen DocType: Workstation,Rent Cost,Rent cost @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Primljeno apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Napravi studentske grupe apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Podešavanja je već okončano!! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredit Napomena Iznos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kredit Napomena Iznos ,Finished Goods,gotovih proizvoda DocType: Delivery Note,Instructions,Instrukcije DocType: Quality Inspection,Inspected By,Provjereno od strane @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Kreiranje novog potrošača +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo vas da postavljanje broji serija za prisustvo na Setup> numeracije serije apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Napravi Narudžbenice ,Purchase Register,Kupnja Registracija DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,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 +361,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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabrani više puta u atributi tabeli +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabrani više puta u atributi tabeli DocType: HR Settings,Employee record is created using selected field. ,Zapis o radniku je kreiran odabirom polja . DocType: Sales Order,Not Applicable,Nije primjenjivo apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Majstor za odmor . @@ -524,7 +526,7 @@ 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Unesite skladište za koje Materijal Zahtjev će biti podignuta DocType: Production Order,Additional Operating Cost,Dodatni operativnih troškova apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kozmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke" DocType: Shipping Rule,Net Weight,Neto težina DocType: Employee,Emergency Phone,Hitna Telefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,kupiti @@ -547,7 +549,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 +2428,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi poreze i troškove DocType: Purchase Invoice,Supplier Invoice No,Dobavljač Račun br DocType: Territory,For reference,Za referencu -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne možete izbrisati serijski broj {0}, koji se koristi u prodaji transakcije" +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žete izbrisati serijski broj {0}, koji se koristi u prodaji transakcije" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Zatvaranje (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Move Stavka DocType: Serial No,Warranty Period (Days),Jamstveni period (dani) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Molimo najprije odaberite Društva i Party Tip apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financijska / obračunska godina . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,akumulirani Vrijednosti -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Provjerite prodajnog naloga DocType: Project Task,Project Task,Projektni zadatak ,Lead Id,Lead id @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Dodijeli apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Povrat robe 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,Napomena: Ukupna izdvojena lišće {0} ne smije biti manja od već odobrenih lišće {1} za period +,Total Stock Summary,Ukupno Stock Pregled DocType: Announcement,Posted By,Postavljeno od DocType: Item,Delivered by Supplier (Drop Ship),Isporučuje Dobavljač (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza potencijalnih kupaca. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Šifarnik kupaca DocType: Quotation,Quotation To,Ponuda za DocType: Lead,Middle Income,Srednji Prihodi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),P.S. (Pot) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Uobičajeno mjerna jedinica za artikl {0} ne može se mijenjati izravno, jer ste već napravili neke transakcije (e) sa drugim UOM. Morat ćete stvoriti nove stavke koristiti drugačiji Uobičajeno UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Uobičajeno mjerna jedinica za artikl {0} ne može se mijenjati izravno, jer ste već napravili neke transakcije (e) sa drugim UOM. Morat ćete stvoriti nove stavke koristiti drugačiji Uobičajeno UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Molimo vas da postavite poduzeća DocType: Purchase Order Item,Billed Amt,Naplaćeni izn @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Majstori DocType: Assessment Plan,Maximum Assessment Score,Maksimalan rezultat procjene apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update Bank Transakcijski Termini apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE ZA TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiskalna godina Company DocType: Packing Slip Item,DN Detail,DN detalj DocType: Training Event,Conference,konferencija @@ -675,8 +679,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 +320,Timesheet created:,Timesheet created: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,završiti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,završiti apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,baza DocType: Timesheet,Total Billed Hours,Ukupno Fakturisana Hours DocType: Journal Entry,Write Off Amount,Napišite paušalni iznos @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Prodavač City ,Absent Student Report,Odsutan Student Report DocType: Email Digest,Next email will be sent on:,Sljedeća e-mail će biti poslan na: DocType: Offer Letter Term,Offer Letter Term,Ponuda Pismo Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Stavka ima varijante. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Stavka ima varijante. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Stavka {0} nije pronađena DocType: Bin,Stock Value,Stock vrijednost apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Kompanija {0} ne postoji @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Make Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Uobičajeno Nabavna vrednost apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Popis Cijena ne bira DocType: Employee,Family Background,Obitelj Pozadina DocType: Request for Quotation Supplier,Send Email,Pošaljite e-mail -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Bez dozvole +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Bez dozvole 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -872,7 +876,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 +274,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 +275,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 @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} mora biti aktivna +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1} DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Skladišta sa postojećim transakcija se ne može pretvoriti u knjizi. DocType: Bank Reconciliation,Total Amount,Ukupan iznos @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponente apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Molimo vas da unesete imovine Kategorija tačke {0} DocType: Quality Inspection Reading,Reading 6,Čitanje 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izuzetan fakture +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izuzetan fakture DocType: Purchase Invoice Advance,Purchase Invoice Advance,Narudzbine avans DocType: Hub Settings,Sync Now,Sync Sada apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Kredit stavka ne može se povezati sa {1} @@ -998,12 +1002,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 +731,New Sales Invoice,Prodaja novih Račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Fakture +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Hemijski DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Uobičajeno Banka / Cash račun će se automatski ažurirati u Plaća Journal Entry kada je izabran ovaj režim. DocType: BOM,Raw Material Cost(Company Currency),Sirovina troškova (poduzeća Valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Svi predmeti su već prebačen za ovu proizvodnju Order. +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 +270,Meter,metar +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1060,7 +1064,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 +452,Please enter Account for Change Amount,Unesite račun za promjene Iznos +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1068,7 +1072,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 +259,Qty for {0},Količina za {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Novac / bankovni račun apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Ukloniti stavke bez promjene u količini ili vrijednosti. DocType: Delivery Note,Delivery To,Dostava za -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribut sto je obavezno +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Atribut sto je obavezno DocType: Production Planning Tool,Get Sales Orders,Kreiraj narudžbe -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne može biti negativna +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne može biti negativna apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust DocType: Asset,Total Number of Depreciations,Ukupan broj Amortizacija DocType: Sales Invoice Item,Rate With Margin,Stopu sa margina @@ -1118,7 +1122,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 +1546,ZIP Code,Poštanski broj +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1136,7 +1140,7 @@ 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Molimo podesite 'primijeniti dodatne popusta na' +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 DocType: Global Defaults,Global Defaults,Globalne zadane postavke @@ -1168,10 +1172,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 +22,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 +23,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 +347,Capacity Planning Error,Kapaciteta za planiranje Error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,Je li povratak apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} valjani serijski broj za artikal {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} valjani serijski broj za artikal {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kod artikla ne može se mijenjati za serijski broj. 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} već kreirali za korisnika: {1} {2} i kompanija DocType: Sales Invoice Item,UOM Conversion Factor,UOM konverzijski faktor @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',Troška Za Stavke sa Šifra ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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. 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" @@ -1241,7 +1245,7 @@ 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,Pogledaj Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Batch @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Primer: Masters u Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Mjesto izdavanja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ugovor DocType: Email Digest,Add Quote,Dodaj Citat -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaši proizvodi ili usluge +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 DocType: Mode of Payment,Mode of Payment,Način plaćanja -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati . @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status radnog naloga je {0} DocType: Appraisal Goal,Goal,Cilj DocType: Sales Invoice Item,Edit Description,Uredi opis ,Team Updates,Team Updates @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,skladište dijete postoji za to skladište. Ne možete brisati ovo skladište. DocType: Item,Website Item Groups,Website Stavka Grupe DocType: Purchase Invoice,Total (Company Currency),Ukupno (Company valuta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serijski broj {0} ušao više puta +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 +78,{0} items in progress,{0} stavke u tijeku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1425,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Dostava adresa Ime apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Šifarnik konta DocType: Material Request,Terms and Conditions Content,Uvjeti sadržaj apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne može biti veća od 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Stavka {0} nijestock Stavka +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Stavka {0} nijestock Stavka DocType: Maintenance Visit,Unscheduled,Neplanski DocType: Employee,Owned,U vlasništvu DocType: Salary Detail,Depends on Leave Without Pay,Ovisi o neplaćeni odmor @@ -1465,7 +1467,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 +273,We buy this Item,Kupili smo ovaj artikal +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,pod skupštine +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nisu pronađeni u tablici plaćanja apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ovo {0} sukobe sa {1} za {2} {3} DocType: Student Attendance Tool,Students HTML,studenti HTML DocType: POS Profile,Apply Discount,Nanesite Popust -DocType: Purchase Invoice Item,GST HSN Code,PDV HSN Kod +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 +283,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan @@ -1557,8 +1559,8 @@ 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 +2573,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kutija +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,otplata Način DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, na početnu stranicu će biti default Stavka grupe za web stranicu" DocType: Quality Inspection Reading,Reading 4,Čitanje 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Uobičajeno sastavnice za {0} nije pronađen za projektne {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Potraživanja za tvrtke trošak. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,novi zadatak apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Make ponudu apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostali izveštaji DocType: Dependent Task,Dependent Task,Zavisna Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0} 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} DocType: SMS Center,Receiver List,Lista primalaca -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Traži Stavka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,već završena +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Kupac POS Id DocType: Account,Account Name,Naziv konta apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dobavljač Vrsta majstor . DocType: Purchase Order Item,Supplier Part Number,Dobavljač Broj dijela apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Uobičajeno računa se plaća apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Postavke za online kupovinu košaricu poput shipping pravila, cjenik i sl" @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Uključiti praznika DocType: Sales Invoice,Packed Items,Pakirano Predmeti apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantni rok protiv Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Zamijenite određenom BOM u svim ostalim Boms u kojem se koristi. To će zamijeniti stare BOM link, ažurirati troškova i regenerirati ""BOM eksplozije Stavka"" stola po nove BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Ukupno' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Ukupno' DocType: Shopping Cart Settings,Enable Shopping Cart,Enable Košarica DocType: Employee,Permanent Address,Stalna adresa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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. @@ -1741,7 +1744,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Glavni apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varijanta DocType: Naming Series,Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije DocType: Employee Attendance Tool,Employees HTML,Zaposleni HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak 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 @@ -1770,7 +1773,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 +175,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 +173,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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,Serijski brojevi i Paketi apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Student Group Strength apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Journal Entry {0} nema premca {1} unos apps/erpnext/erpnext/config/hr.py +137,Appraisals,Appraisals -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dupli serijski broj je unešen za artikl {0} +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" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} mora biti dostavljena +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Plaćanje @@ -1806,12 +1809,12 @@ 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 +257,"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 +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 . 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: Asset Movement,Asset Movement,Asset pokret -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,novi Košarica +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Predmeti iz otkupa Primici DocType: Serial No,Creation Date,Datum stvaranja apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikal {0} se pojavljuje više puta u cjeniku {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" DocType: Production Plan Material Request,Material Request Date,Materijal Upit Datum DocType: Purchase Order Item,Supplier Quotation Item,Dobavljač ponudu artikla DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Onemogućava stvaranje vremena za rezanje protiv nalozi. Operacije neće biti bager protiv proizvodnog naloga @@ -1853,12 +1856,12 @@ DocType: Supplier,Supplier of Goods or Services.,Dobavljač robe ili usluga. DocType: Budget,Fiscal Year,Fiskalna godina DocType: Vehicle Log,Fuel Price,Cena goriva DocType: Budget,Budget,Budžet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Osnovnih sredstava Stavka mora biti ne-stock stavku. +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 +209,e.g. 5,na primjer 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1867,7 +1870,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,"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 +263,A Product or Service,Proizvod ili usluga +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Stvarni Završni datum (preko Time Sheet) 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 +160,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 +342,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa +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 DocType: Shipping Rule Condition,Shipping Amount,Iznos transporta -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj Kupci +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,Konto potraživanja ,Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Unesite Plaćen iznos DocType: Salary Structure,Select employees for current Salary Structure,Izaberite zaposlenih za tekuće Struktura plaća +DocType: Sales Invoice,Company Address Name,Kompanija adresa Ime 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)" @@ -1999,7 +2003,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 +269,Unit,jedinica +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,iznos Razlika @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasifikacija Kupci po regiji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Razlika iznos mora biti nula DocType: Project,Gross Margin,Bruto marža -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Unesite Proizvodnja predmeta prvi +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 +748,Quotation,Ponude @@ -2041,7 +2045,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Kupac / Adresa Lead-a -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL certifikat o prilogu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL certifikat o prilogu {0} DocType: Student Admission,Eligibility,kvalifikovanost apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads biste se lakše poslovanje, dodati sve svoje kontakte i još kao vodi" DocType: Production Order Operation,Actual Operation Time,Stvarni Operation Time @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Izračunaj ukupan rezultat DocType: Request for Quotation,Manufacturing Manager,Proizvodnja Manager apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split otpremnici u paketima. -apps/erpnext/erpnext/hooks.py +87,Shipments,Pošiljke +apps/erpnext/erpnext/hooks.py +94,Shipments,Pošiljke DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupan dodijeljeni iznos (Company Valuta) DocType: Purchase Order Item,To be delivered to customer,Dostaviti kupcu DocType: BOM,Scrap Material Cost,Otpadnog materijala troškova -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serijski broj {0} ne pripada nijednoj Skladište +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serijski broj {0} ne pripada nijednoj Skladište DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta tvrtke) DocType: Asset,Supplier,Dobavljači DocType: C-Form,Quarter,Četvrtina @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Zaposlenik kredit računa DocType: Leave Application,Total Leave Days,Ukupno Ostavite Dani DocType: Email Digest,Note: Email will not be sent to disabled users,Napomena: E-mail neće biti poslan invalide apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Broj Interaction -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra> stavka Group> Brand 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 +408,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2124,7 +2127,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Rashodi Zahtjev Detalj -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Molimo odaberite ispravan račun +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Tri primjerka ZA SUPPLIER +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Molimo odaberite ispravan račun DocType: Item,Weight UOM,Težina UOM DocType: Salary Structure Employee,Salary Structure Employee,Plaća Struktura zaposlenih DocType: Employee,Blood Group,Krvna grupa @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,čuvari 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 +336,Debit To is required,To je potrebno Debit +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Ukupno Neplaćeni: DocType: BOM Website Operation,BOM Website Operation,BOM Web Operacija apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponuda Pismo apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generirajte Materijal Upiti (MRP) i radne naloge. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Ukupno Fakturisana Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Ukupno Fakturisana Amt DocType: BOM,Conversion Rate,Stopa konverzije apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Traži proizvod DocType: Timesheet Detail,To Time,Za vrijeme @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za artikal {1}. koji ste trazili {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za artikal {1}. koji ste trazili {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Rate DocType: Item,Customer Item Codes,Customer Stavka Codes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange dobitak / gubitak @@ -2220,7 +2224,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 +2454,Select Batch No,Izaberite serijski br +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,Omogućiti korisnicima DocType: Purchase Order,Customer Mobile No,Mobilni broj kupca DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Pratite odvojene prihoda i rashoda za vertikala proizvod ili podjele. DocType: Rename Tool,Rename Tool,Preimenovanje alat -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update cost +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 +438,Show Salary Slip,Pokaži Plaća Slip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Izaberite promjene iznos računa +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Dodaj poreze +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2267,6 +2271,7 @@ DocType: Stock Entry,Purchase Receipt No,Primka br. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,kapara DocType: Process Payroll,Create Salary Slip,Stvaranje plaće Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sljedivost +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC Kod 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 @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,Post diplomski DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Raspored održavanja detaljno DocType: Quality Inspection Reading,Reading 9,Čitanje 9 DocType: Supplier,Is Frozen,Je zamrznut -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,skladište Group čvor nije dozvoljeno da izaberete za transakcije +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,skladište Group čvor nije dozvoljeno da izaberete za transakcije DocType: Buying Settings,Buying Settings,Podešavanja nabavke DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM broj za Gotovi Dobar točki DocType: Upload Attendance,Attendance To Date,Gledatelja do danas @@ -2311,13 +2316,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku {0} na redu {1} @@ -2339,7 +2344,7 @@ DocType: Authorization Rule,Authorized Value,Ovlašteni Vrijednost DocType: BOM,Show Operations,Pokaži operacije ,Minutes to First Response for Opportunity,Minuta na prvi odgovor za Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Ukupno Odsutan -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artikal ili skladište za redak {0} ne odgovara Zahtjevu za materijalom +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Artikal ili skladište za redak {0} ne odgovara Zahtjevu za materijalom apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Jedinica mjere DocType: Fiscal Year,Year End Date,Završni datum godine DocType: Task Depends On,Task Depends On,Zadatak ovisi o @@ -2430,7 +2435,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 +106,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 +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/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 @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Troška apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,bon # DocType: Notification Control,Purchase Order Message,Poruka narudžbenice @@ -2544,7 +2549,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 +1165,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,zadatak Završetak apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nije raspoloživo DocType: Appraisal,HR User,HR korisnika DocType: Purchase Invoice,Taxes and Charges Deducted,Porezi i naknade oduzeti -apps/erpnext/erpnext/hooks.py +116,Issues,Pitanja +apps/erpnext/erpnext/hooks.py +124,Issues,Pitanja apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status mora biti jedan od {0} DocType: Sales Invoice,Debit To,Rashodi za DocType: Delivery Note,Required only for sample item.,Potrebna je samo za primjer stavke. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Regija apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Molimo spomenuti nema posjeta potrebnih DocType: Stock Settings,Default Valuation Method,Zadana metoda vrednovanja +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,provizija DocType: Vehicle Log,Fuel Qty,gorivo Količina DocType: Production Order Operation,Planned Start Time,Planirani Start Time DocType: Course,Assessment,procjena @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,Ponuda {0} je otkazana -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Ukupno preostali iznos +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Sve Sales Transakcije mogu biti označena protiv više osoba ** ** Sales, tako da možete postaviti i pratiti ciljeve." ,S.O. No.,S.O. Ne. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Kreirajte Kupca iz Poslovne prilike {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Kreirajte Kupca iz Poslovne prilike {0} DocType: Price List,Applicable for Countries,Za zemlje u apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Ostavite samo Prijave sa statusom "Odobreno 'i' Odbijena 'se može podnijeti apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Ime grupe je obavezno u redu {0} @@ -2655,6 +2661,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/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 @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za iz 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.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika. DocType: Purchase Invoice,Half-yearly,Polugodišnje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Računovodstvo Entry za Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ste već ocijenili za kriterije procjene {}. DocType: Vehicle Service,Engine Oil,Motorno ulje -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Molimo vas da postavljanje zaposlenih Imenovanje sistema u ljudskim resursima> HR Postavke DocType: Sales Invoice,Sales Team1,Prodaja Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikal {0} ne postoji DocType: Sales Invoice,Customer Address,Kupac Adresa @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna osoba / Podružnica sa zasebnim kontnom pripadaju Organizacije. DocType: Payment Request,Mute Email,Mute-mail apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Hrana , piće i duhan" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100 DocType: Stock Entry,Subcontract,Podugovor apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Unesite {0} prvi @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Mjesečni Posjeta list apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Radnik {0} je već aplicirao za {1} iymeđu {2} i {3} 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/report/accounts_receivable/accounts_receivable.html +11,Until,Do +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Do DocType: Rename Tool,Rename Log,Preimenovanje Prijavite apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Student Grupe ili Terminski plan je obavezno DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Održavati Billing vrijeme i Radno vrijeme ista na Timesheet @@ -2778,7 +2785,7 @@ DocType: Purchase Order Item,Returned Qty,Vraćeni Količina DocType: Employee,Exit,Izlaz apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Korijen Tip je obvezno DocType: BOM,Total Cost(Company Currency),Ukupni troškovi (Company Valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijski Ne {0} stvorio +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serijski Ne {0} stvorio DocType: Homepage,Company Description for website homepage,Kompanija Opis za web stranice homepage DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za praktičnost kupaca, te kodovi mogu se koristiti u tiskanim formata kao što su fakture i otpremnice" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier ime @@ -2798,7 +2805,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Rasporedi Kurs izbrisan: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Dnevnici za održavanje sms statusa isporuke DocType: Accounts Settings,Make Payment via Journal Entry,Izvršiti uplatu preko Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,otisnut na +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,otisnut na DocType: Item,Inspection Required before Delivery,Inspekcija Potrebna prije isporuke DocType: Item,Inspection Required before Purchase,Inspekcija Obavezno prije kupnje apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Aktivnosti na čekanju @@ -2830,9 +2837,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limit Crossed apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Preduzetnički kapital 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.,Akademski pojam sa ovim "akademska godina" {0} i 'Term Ime' {1} već postoji. Molimo vas da mijenjati ove stavke i pokušati ponovo. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kao što je već postoje transakcije protiv stavku {0}, ne možete promijeniti vrijednost {1}" +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}","Kao što je već postoje transakcije protiv stavku {0}, ne možete promijeniti vrijednost {1}" DocType: UOM,Must be Whole Number,Mora biti cijeli broj DocType: Leave Control Panel,New Leaves Allocated (In Days),Novi Lišće alociran (u danima) +DocType: Sales Invoice,Invoice Copy,Račun Copy apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijski Ne {0} ne postoji DocType: Sales Invoice Item,Customer Warehouse (Optional),Customer Warehouse (Opcionalno) DocType: Pricing Rule,Discount Percentage,Postotak rabata @@ -2877,8 +2885,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto blizu izdanje nakon 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Zamrzavanje Stock Unosi +DocType: Program Enrollment,Boarding Student,Boarding Student DocType: Asset,Expected Value After Useful Life,Očekivana vrijednost Nakon Korisni Life DocType: Item,Reorder level based on Warehouse,Nivo Ponovno red zasnovan na Skladište DocType: Activity Cost,Billing Rate,Billing Rate @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,Jamstveni / AMC Brodu apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Izbor studenata ručno za grupe aktivnosti na osnovu DocType: Journal Entry,User Remark,Upute Zabilješka DocType: Lead,Market Segment,Tržišni segment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog broja negativnih preostali iznos {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog broja negativnih preostali iznos {0} DocType: Employee Internal Work History,Employee Internal Work History,Istorija rada zaposlenog u preduzeću apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zatvaranje (Dr) DocType: Cheque Print Template,Cheque Size,Ček Veličina -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijski Ne {0} nije u dioničko +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serijski Ne {0} nije u dioničko apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Porezna predložak za prodaju transakcije . DocType: Sales Invoice,Write Off Outstanding Amount,Otpisati preostali iznos apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Računa {0} ne odgovara Company {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,Dodati nekoliko uzorku zapisa +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2947,17 +2957,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijski broj i Batch DocType: Warranty Claim,From Company,Iz Društva -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Zbir desetine Kriteriji procjene treba da bude {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Zbir desetine Kriteriji procjene treba da bude {0}. 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 +270,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Prekoračenje računa apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Provjerite plaće slip apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: dodijeljeni iznos ne može biti veći od preostalog iznosa. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Browse BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,osigurani krediti DocType: Purchase Invoice,Edit Posting Date and Time,Edit knjiženja datuma i vremena apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo podesite Računi se odnose amortizacije u Asset Kategorija {0} ili kompanije {1} @@ -2993,7 +3003,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 +278,Select Quantity,Odaberite Količina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nije dopušteno osvježavanje burzovnih transakcija stariji od {0} DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Potpuno Naplaćeno +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> dobavljač Tip 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Ukupni troskovi ( iz Time 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 DocType: Customs Tariff Number,Tariff Number,tarifni broj +DocType: Production Order Item,Available Qty at WIP Warehouse,Dostupno Količina u WIP Skladište apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projektovan -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijski Ne {0} ne pripada Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serijski Ne {0} ne pripada Warehouse {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,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0 DocType: Notification Control,Quotation Message,Ponuda - poruka DocType: Employee Loan,Employee Loan Application,Zaposlenik Zahtjev za kredit @@ -3072,13 +3084,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Sleteo Cost vaučera Iznos apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Mjenice podigao dobavljače. DocType: POS Profile,Write Off Account,Napišite Off račun -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit note Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debit note Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Iznos rabata 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 +207,e.g. VAT,na primjer PDV +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3086,7 +3098,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 +1945,Please select customer,Molimo odaberite kupac +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3115,7 +3127,7 @@ DocType: Lead,Address Desc,Adresa silazno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je obavezno DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Topic Name -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Odaberite priroda vašeg poslovanja. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: duplikat unosa u Reference {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Gdje se obavljaju proizvodne operacije. @@ -3124,7 +3136,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol +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 DocType: Account,Accumulated Depreciation,Akumuliranu amortizaciju DocType: Stock Entry,Customer or Supplier Details,Detalji o Kupcu ili Dobavljacu DocType: Employee Loan Application,Required by Date,Potreban po datumu @@ -3153,10 +3165,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Narudžbenica apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Kompanija Ime ne može biti poduzeća apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Zaglavlja za ispis predložaka. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Naslovi za ispis predložaka pr Predračuna. +DocType: Program Enrollment,Walking,hodanje DocType: Student Guardian,Student Guardian,student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Prijava tip vrednovanja ne može označiti kao Inclusive DocType: POS Profile,Update Stock,Ažurirajte Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> dobavljač Tip apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Journal Entry za otpad @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Pokaži porez break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Zadani novčani račun apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor . 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 +176,No Students in,No Studenti u +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 +108,Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke ' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Enter NA neregistriranim +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3275,23 @@ DocType: Sales Team,Contribution (%),Doprinos (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Napomena : Stupanje Plaćanje neće biti izrađen od ' Gotovina ili bankovni račun ' nije naveden apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odgovornosti DocType: Expense Claim Account,Expense Claim Account,Rashodi Preuzmi računa +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo podesite Imenovanje serije za {0} preko Postavljanje> Postavke> Imenovanje serije DocType: Sales Person,Sales Person Name,Ime referenta prodaje apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Dodaj Korisnici DocType: POS Item Group,Item Group,Grupa artikla DocType: Item,Safety Stock,Sigurnost Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Napredak% za zadatak ne može biti više od 100. DocType: Stock Reconciliation Item,Before reconciliation,Prije nego pomirenje apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ DocType: Sales Order,Partly Billed,Djelomično Naplaćeno apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Stavka {0} mora biti osnovna sredstva stavka DocType: Item,Default BOM,Zadani BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debitne Napomena Iznos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debitne Napomena Iznos apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Molimo vas da ponovno tipa naziv firme za potvrdu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Ukupno Outstanding Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Ukupno Outstanding Amt DocType: Journal Entry,Printing Settings,Printing Settings DocType: Sales Invoice,Include Payment (POS),Uključuju plaćanje (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Ukupno zaduženje mora biti jednak ukupnom kreditnom . @@ -3286,19 +3299,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Insurance Company DocType: Asset Category Account,Fixed Asset Account,Osnovnih sredstava računa apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,varijabla -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Od otpremnici +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Od otpremnici DocType: Student,Student Email Address,Student-mail adresa DocType: Timesheet Detail,From Time,S vremena apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na raspolaganju: DocType: Notification Control,Custom Message,Prilagođena poruka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicijsko bankarstvo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo vas da postavljanje broji serija za prisustvo na Setup> numeracije serije apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,student adresa 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 +1517,Address Name,Adresa ime +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Unesite vrijednost mora biti pozitivan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,Proces plaće apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca . DocType: Product Bundle Item,Product Bundle Item,Proizvod Bundle Stavka DocType: Sales Partner,Sales Partner Name,Prodaja Ime partnera -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Zahtjev za ponudu +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Zahtjev za ponudu DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalni iznos fakture DocType: Student Language,Student Language,student Jezik apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci @@ -3342,7 +3354,7 @@ DocType: Asset,Partially Depreciated,Djelomično oslabio DocType: Issue,Opening Time,Radno vrijeme apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Od i Do datuma zahtijevanih apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,sirovine +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije zatvaranja datum -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo podesite Imenovanje serije za {0} preko Postavljanje> Postavke> Imenovanje serije 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. @@ -3384,8 +3395,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Odnosi se na (Oznaka) @@ -3402,7 +3413,7 @@ 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 +270,Hour,Sat +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3412,7 +3423,7 @@ 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3427,8 +3438,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 +270,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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. @@ -3453,14 +3464,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 +465,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 +466,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 +834,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 +835,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 @@ -3492,7 +3503,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,State billing @@ -3539,7 +3550,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Postavke za web stranice homepage 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 +214,Invalid attribute {0} {1},Nevažeći atributa {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Molimo odaberite grupu procjene, osim 'Svi Procjena grupe'" @@ -3637,16 +3648,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Plaća Komponente DocType: Program Enrollment Tool,New Academic Year,Nova akademska godina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Povratak / Credit Note DocType: Stock Settings,Auto insert Price List rate if missing,Auto umetak Cjenik stopa ako nedostaje -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Ukupno uplaćeni iznos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Ukupno uplaćeni iznos DocType: Production Order Item,Transferred Qty,prebačen Kol apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigacija apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planiranje 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 +272,We sell this Item,Prodajemo ovaj artikal +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3694,7 +3707,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 +1186,Please set Company,Molimo podesite Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3710,13 +3723,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,U rije 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkod {0} se već koristi u artiklu {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barkod {0} se već koristi u artiklu {1} DocType: Lead,Add to calendar on this date,Dodaj u kalendar na ovaj datum apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza . DocType: Item,Opening Stock,otvaranje Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je obavezan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je obavezno za povratak DocType: Purchase Order,To Receive,Da Primite +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Osobni e apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Ukupno Varijansa DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." @@ -3728,7 +3742,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 +541,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis +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 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 @@ -3736,7 +3750,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Od jamstvo DocType: BOM Replace Tool,Replace,Zamijeniti apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nema proizvoda. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} protiv prodaje fakture {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Naziv projekta @@ -3747,6 +3760,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} 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 @@ -3783,9 +3797,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Od Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Sintaksa greška u formuli ili stanja: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Svakodnevni rad Pregled Postavke kompanije -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Artikal {0} se ignorira budući da nije skladišni artikal +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 +40,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 +102,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 @@ -3793,12 +3807,14 @@ 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 +209,Rate (%),Stopa ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Molimo podesite Company filter prazno ako Skupina Od je 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Datum knjiženja ne može biti u budućnosti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: {1} Serial No ne odgovara {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual dopust @@ -3827,7 +3843,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Stupanje apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan +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 DocType: Accounts Settings,Accounts Settings,Podešavanja konta apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,odobriti DocType: Customer,Sales Partner and Commission,Prodajnog partnera i Komisije @@ -3842,7 +3858,7 @@ 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 +62,{0} items produced,{0} artikala proizvedenih +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3856,7 +3872,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi potraživan 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} DocType: Journal Entry Account,Exchange Rate,Tečaj -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3881,18 +3897,18 @@ 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 +705,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Otplatiti fiksni iznos po periodu apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Molimo unesite količinu za točku {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredit Napomena Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kredit Napomena Amt DocType: Employee External Work History,Employee External Work History,Istorija rada zaposlenog izvan preduzeća DocType: Tax Rule,Purchase,Kupiti apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilans kol @@ -3917,7 +3933,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 +2383,Select items to save the invoice,Odaberite stavke za spremanje fakture +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3946,6 +3962,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,prag DocType: BOM Replace Tool,Current BOM,Trenutni BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj serijski broj +DocType: Production Order Item,Available Qty at Source Warehouse,Dostupno Količina na izvoru Skladište apps/erpnext/erpnext/config/support.py +22,Warranty,garancija DocType: Purchase Invoice,Debit Note Issued,Debit Napomena Zadani DocType: Production Order,Warehouses,Skladišta @@ -3961,13 +3978,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plaćeni iznos apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Menadzer projekata ,Quoted Item Comparison,Citirano Stavka Poređenje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Otpremanje -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimalni popust dopušteno za predmet: {0} je {1}% +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 +279,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 +879,Select Items to Manufacture,Odaberi stavke za proizvodnju -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje" +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" DocType: Item,Material Issue,Materijal Issue DocType: Hub Settings,Seller Description,Prodavač Opis DocType: Employee Education,Qualification,Kvalifikacija @@ -3991,7 +4008,7 @@ DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti 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 +200,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 +198,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 @@ -4011,7 +4028,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pristupiti apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatak Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima DocType: Employee Loan,Repay from Salary,Otplatiti iz Plata DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Tražeći isplatu protiv {0} {1} za iznos {2} @@ -4029,18 +4046,18 @@ 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 +1011,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serijski Ne {0} već je primila +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijski Ne {0} već je primila ,Requested Items To Be Transferred,Traženi stavki za prijenos 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 +1312,Delete permanently?,Obrisati trajno? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Invalid {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Bolovanje DocType: Email Digest,Email Digest,E-pošta DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu @@ -4053,6 +4070,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Naplativ DocType: Company,Change Abbreviation,Promijeni Skraćenica DocType: Expense Claim Detail,Expense Date,Rashodi Datum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra> stavka Group> Brand DocType: Item,Max Discount (%),Max rabat (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Last Order Iznos DocType: Task,Is Milestone,je Milestone @@ -4076,8 +4094,8 @@ DocType: Program Enrollment Tool,New Program,novi program DocType: Item Attribute Value,Attribute Value,Vrijednost atributa ,Itemwise Recommended Reorder Level,Itemwise Preporučio redoslijeda Level DocType: Salary Detail,Salary Detail,Plaća Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Odaberite {0} Prvi -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} od {1} Stavka je istekla. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Odaberite {0} Prvi +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} od {1} Stavka je istekla. DocType: Sales Invoice,Commission,Provizija apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet za proizvodnju. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,suma stavke @@ -4102,12 +4120,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 +399,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 +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/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 +387,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 +382,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 @@ -4137,7 +4155,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,odlaganje Datum DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E će biti poslana svim aktivnih radnika kompanije u datom sat, ako nemaju odmor. Sažetak odgovora će biti poslan u ponoć." DocType: Employee Leave Approver,Employee Leave Approver,Osoba koja odobrava izlaske zaposlenima -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ne može proglasiti izgubili , jer citat je napravio ." 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 @@ -4170,6 +4188,7 @@ DocType: Announcement,Student,student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organizacija jedinica ( odjela ) majstor . apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Unesite valjane mobilne br apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Unesite poruku prije slanja +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ZA SUPPLIER DocType: Email Digest,Pending Quotations,U očekivanju Citati apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-prodaju profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Obnovite SMS Settings @@ -4178,7 +4197,7 @@ DocType: Cost Center,Cost Center Name,Troška Name DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Maksimalni radni sati protiv Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Planski datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Ukupno Paid Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Ukupno Paid Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Poruka veća od 160 karaktera će biti odvojena u više poruka DocType: Purchase Receipt Item,Received and Accepted,Primljeni i prihvaćeni ,GST Itemised Sales Register,PDV Specificirane prodaje Registracija @@ -4188,7 +4207,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 +237,Your Suppliers,Vaši dobavljači +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Ne mogu odbiti kada kategorija je za 'Vrednovanje' ili 'Vaulation i Total' @@ -4200,7 +4219,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Sajt Slika {0} prilogu Stavka {1} ne može biti pronađena +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. @@ -4215,7 +4234,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Što učinit apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Za skladište apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Svi Student Prijemni ,Average Commission Rate,Prosječna stopa komisija -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,' Ima serijski broj ' ne može biti ' Da ' za artikle bez zalihe +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,' Ima serijski broj ' ne može biti ' Da ' za artikle bez zalihe apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Gledatelji ne može biti označena za budući datum DocType: Pricing Rule,Pricing Rule Help,Cijene Pravilo Pomoć DocType: School House,House Name,nazivu @@ -4231,7 +4250,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 +339,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 +340,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 @@ -4246,20 +4265,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Plaća listić od zaposlenika {0} već kreirali za vrijeme stanja {1} 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 +683,Item {0} is disabled,Stavka {0} je onemogućeno +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generiranje plaće gaćice -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kupnja treba provjeriti, ako je primjenjivo za odabrano kao {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kupnja treba provjeriti, ako je primjenjivo za odabrano kao {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabatt mora biti manji od 100 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 +500,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Sleteo Cost vaučera @@ -4319,7 +4338,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekivani datum ne može biti prije Materijal Zahtjev Datum DocType: Purchase Invoice Item,Stock Qty,zalihama Količina -DocType: Production Order,Source Warehouse (for reserving Items),Izvor Warehouse (za rezervisanje Predmeti) DocType: Employee Loan,Repayment Period in Months,Rok otplate u mjesecima apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Greška: Ne važeći id? DocType: Naming Series,Update Series Number,Update serije Broj @@ -4367,7 +4385,7 @@ DocType: Production Order,Planned End Date,Planirani Završni datum apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Gdje predmeti su pohranjeni. DocType: Request for Quotation,Supplier Detail,dobavljač Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Greška u formuli ili stanja: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Fakturisanog +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Fakturisanog DocType: Attendance,Attendance,Pohađanje apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stock Predmeti DocType: BOM,Materials,Materijali @@ -4407,10 +4425,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup jednostavan website za moju organizaciju +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0} DocType: Item,Default Warehouse,Glavno skladište apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budžet se ne može dodijeliti protiv grupe računa {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Unesite roditelj troška @@ -4469,7 +4487,7 @@ 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 +1344,Select or add new customer,Odaberite ili dodati novi kupac +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/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 @@ -4477,6 +4495,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Molimo vas da postavljanje zaposlenih Imenovanje sistema u ljudskim resursima> HR Postavke 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 +231,{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. @@ -4499,7 +4518,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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 ' @@ -4519,7 +4538,7 @@ DocType: POS Profile,Account for Change Amount,Nalog za promjene Iznos apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: Party / računa ne odgovara {1} / {2} u {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Unesite trošak računa DocType: Account,Stock,Zaliha -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od Narudžbenice, fakturi ili Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od Narudžbenice, fakturi ili Journal Entry" DocType: Employee,Current Address,Trenutna adresa DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ako proizvod varijanta druge stavke onda opis, slike, cijene, poreze itd će biti postavljena iz predloška, osim ako izričito navedeno" DocType: Serial No,Purchase / Manufacture Details,Kupnja / Proizvodnja Detalji @@ -4557,11 +4576,12 @@ DocType: Student,Home Address,Kućna adresa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer imovine DocType: POS Profile,POS Profile,POS profil DocType: Training Event,Event Name,Naziv događaja -apps/erpnext/erpnext/config/schools.py +39,Admission,upis +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,upis apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Priznanja za {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti" DocType: Asset,Asset Category,Asset Kategorija +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Kupac apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto plaća ne može biti negativna DocType: SMS Settings,Static Parameters,Statički parametri DocType: Assessment Plan,Room,soba @@ -4570,6 +4590,7 @@ DocType: Item,Item Tax,Porez artikla apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materijal dobavljaču apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> grupu korisnika> Territory DocType: Expense Claim,Employees Email Id,Zaposlenici Email ID DocType: Employee Attendance Tool,Marked Attendance,Označena Posjeta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kratkoročne obveze @@ -4641,6 +4662,7 @@ DocType: Leave Type,Is Carry Forward,Je Carry Naprijed apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Pregled diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv index 7dfbcbaf6f..8e230d7683 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Llista de vacances -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Accountant +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Accountant DocType: Cost Center,Stock User,Fotografia de l'usuari DocType: Company,Phone No,Telèfon No apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Calendari de cursos creats: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},No està permès per {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obtenir articles de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,No articles trobats +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Informes d'arxiu DocType: Warehouse,Warehouse Detail,Detall Magatzem apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Límit de crèdit s'ha creuat pel client {0} {1} / {2} 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.,"La data final de durada no pot ser posterior a la data de cap 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Des {0} a {1} DocType: Item,Copy From Item Group,Copiar del Grup d'Articles DocType: Journal Entry,Opening Entry,Entrada Obertura -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de Clients> Territori apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Només compte de pagament DocType: Employee Loan,Repay Over Number of Periods,Retornar al llarg Nombre de períodes DocType: Stock Entry,Additional Costs,Despeses addicionals @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Estat de compte +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 DocType: Purchase Invoice Item,Is Fixed Asset,És actiu fix apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Quantitats disponibles és {0}, necessita {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumible +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,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},+ 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 +143,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 +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. 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 +302,Example: Basic Mathematics,Exemple: Matemàtiques Bàsiques +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/config/hr.py +214,Settings for HR Module,Ajustaments per al Mòdul de Recursos Humans DocType: SMS Center,SMS Center,Centre d'SMS @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Articles i preus apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Total hores: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},A partir de la data ha de ser dins de l'any fiscal. Suposant De Data = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,cometes DocType: Customer,Individual,Individual DocType: Interest,Academics User,acadèmics usuari DocType: Cheque Print Template,Amount In Figure,A la Figura quantitat @@ -265,7 +266,7 @@ DocType: Employee,Create User,crear usuari DocType: Selling Settings,Default Territory,Territori per defecte apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televisió DocType: Production Order Operation,Updated via 'Time Log',Actualitzat a través de 'Hora de registre' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},quantitat d'avanç no pot ser més gran que {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},quantitat d'avanç no pot ser més gran que {0} {1} DocType: Naming Series,Series List for this Transaction,Llista de Sèries per a aquesta transacció DocType: Company,Enable Perpetual Inventory,Habilitar Inventari Permanent DocType: Company,Default Payroll Payable Account,La nòmina per defecte del compte per pagar @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Cal informar del magatzem destí abans de presentar +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nom de Contacte +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Alleujar data ha de ser major que la data de Unir apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Deixa per any 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 +189,Warehouse {0} does not belong to company {1},Magatzem {0} no pertany a l'empresa {1} +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 +270,Litre,litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,entrades bancàries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Estoc Reconciliació article @@ -315,7 +316,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 +316,People who teach at your organisation,Les persones que ensenyen en la seva organització +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Permetre a l'usuari editar Taxa 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 +699,Item {0} is cancelled,L'article {0} està cancel·lat +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 +882,Material Request,Sol·licitud de materials DocType: Bank Reconciliation,Update Clearance Date,Actualització Data Liquidació DocType: Item,Purchase Details,Informació de compra @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} entrat dues vegades en l'Impost d'article +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} entrat dues vegades en l'Impost d'article apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resum per a aquesta setmana i activitats pendents DocType: Student Applicant,Admitted,acceptat DocType: Workstation,Rent Cost,Cost de lloguer @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Rebut apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Crear grups d'estudiants apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuració acabada !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Nota de Crèdit Monto +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Nota de Crèdit Monto ,Finished Goods,Béns Acabats DocType: Delivery Note,Instructions,Instruccions DocType: Quality Inspection,Inspected By,Inspeccionat per @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Crear un nou client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si us plau configuració sèries de numeració per a l'assistència a través d'Configuració> sèries de numeració apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Crear ordres de compra ,Purchase Register,Compra de Registre DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,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 +361,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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades en la taula Atributs +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades en la taula Atributs DocType: HR Settings,Employee record is created using selected field. ,Es crea el registre d'empleat utilitzant el camp seleccionat. DocType: Sales Order,Not Applicable,No Aplicable apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Mestre de vacances. @@ -524,7 +526,7 @@ 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Si us plau indica el Magatzem en què es faràa la Sol·licitud de materials DocType: Production Order,Additional Operating Cost,Cost addicional de funcionament apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Productes cosmètics -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Per fusionar, propietats han de ser el mateix per a tots dos articles" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Per fusionar, propietats han de ser el mateix per a tots dos articles" DocType: Shipping Rule,Net Weight,Pes Net DocType: Employee,Emergency Phone,Telèfon d'Emergència apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,comprar @@ -547,7 +549,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 +2428,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 +2522,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ó @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Afegeix / Edita les taxes i càrrecs DocType: Purchase Invoice,Supplier Invoice No,Número de Factura de Proveïdor DocType: Territory,For reference,Per referència -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","No es pot eliminar de sèrie n {0}, ja que s'utilitza en les transaccions de valors" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","No es pot eliminar de sèrie n {0}, ja que s'utilitza en les transaccions de valors" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Tancament (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,moure element DocType: Serial No,Warranty Period (Days),Període de garantia (Dies) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Seleccioneu de l'empresa i el Partit Tipus primer apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Exercici comptabilitat /. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Els valors acumulats -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Ho sentim, els números de sèrie no es poden combinar" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Ho sentim, els números de sèrie no es poden combinar" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Fes la teva comanda de vendes DocType: Project Task,Project Task,Tasca del projecte ,Lead Id,Identificador del client potencial @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Assignar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Devolucions de vendes 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,Nota: Els fulls totals assignats {0} no ha de ser inferior a les fulles ja aprovats {1} per al període +,Total Stock Summary,Resum de la total DocType: Announcement,Posted By,Publicat per DocType: Item,Delivered by Supplier (Drop Ship),Lliurat pel proveïdor (nau) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Base de dades de clients potencials. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de dades de c DocType: Quotation,Quotation To,Oferta per DocType: Lead,Middle Income,Ingrés Mig apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Obertura (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unitat de mesura per defecte per a l'article {0} no es pot canviar directament perquè ja ha realitzat alguna transacció (s) amb una altra UOM. Vostè haurà de crear un nou element a utilitzar un UOM predeterminat diferent. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unitat de mesura per defecte per a l'article {0} no es pot canviar directament perquè ja ha realitzat alguna transacció (s) amb una altra UOM. Vostè haurà de crear un nou element a utilitzar un UOM predeterminat diferent. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Suma assignat no pot ser negatiu apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Si us plau ajust la Companyia DocType: Purchase Order Item,Billed Amt,Quantitat facturada @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Màsters DocType: Assessment Plan,Maximum Assessment Score,Puntuació màxima d'Avaluació apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Dates de les transaccions d'actualització del Banc apps/erpnext/erpnext/config/projects.py +30,Time Tracking,temps de seguiment +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Duplicat per TRANSPORTADOR DocType: Fiscal Year Company,Fiscal Year Company,Any fiscal Companyia DocType: Packing Slip Item,DN Detail,Detall DN DocType: Training Event,Conference,conferència @@ -675,8 +679,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 +320,Timesheet created:,Part d'hores de creació: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,acabat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,acabat apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,base DocType: Timesheet,Total Billed Hours,Total d'hores facturades DocType: Journal Entry,Write Off Amount,Anota la quantitat @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Ciutat del venedor ,Absent Student Report,Informe de l'alumne absent DocType: Email Digest,Next email will be sent on:,El següent correu electrònic s'enviarà a: DocType: Offer Letter Term,Offer Letter Term,Present Carta Termini -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,L'article té variants. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,L'article té variants. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Article {0} no trobat DocType: Bin,Stock Value,Estoc Valor apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Companyia {0} no existeix @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,fer part d'hores +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Cost per defecte del compte 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 DocType: Request for Quotation Supplier,Send Email,Enviar per correu electrònic -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advertència: no vàlida Adjunt {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,No permission +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Advertència: no vàlida Adjunt {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,No permission 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 +269,Nos,Ens +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -872,7 +876,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 +274,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 +275,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 @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} ha d'estar activa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},El número de Sèrie {0} no pertany a l'article {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},El número de Sèrie {0} no pertany a l'article {1} DocType: Purchase Receipt Item Supplied,Required Qty,Quantitat necessària apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Complexos de dipòsit de transaccions existents no es poden convertir en el llibre major. DocType: Bank Reconciliation,Total Amount,Quantitat total @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,components apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Si us plau, introdueixi categoria d'actius en el punt {0}" DocType: Quality Inspection Reading,Reading 6,Lectura 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,No es pot {0} {1} {2} sense cap factura pendent negatiu +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,No es pot {0} {1} {2} sense cap factura pendent negatiu DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada DocType: Hub Settings,Sync Now,Sincronitza ara apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Fila {0}: entrada de crèdit no pot vincular amb un {1} @@ -998,12 +1002,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 +731,New Sales Invoice,Nova factura de venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Les factures sincronització sense connexió +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Químic DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Defecte del compte bancari / efectiu s'actualitzarà automàticament en el Salari entrada de diari quan es selecciona aquesta manera. DocType: BOM,Raw Material Cost(Company Currency),Prima Cost de Materials (Companyia de divises) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,Metre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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ó @@ -1060,7 +1064,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 +452,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 +453,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 @@ -1068,7 +1072,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 +259,Qty for {0},Quantitat de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Compte de Caixa / Banc apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Si us plau especificar un {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Elements retirats sense canvi en la quantitat o el valor. DocType: Delivery Note,Delivery To,Lliurar a -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Taula d'atributs és obligatori +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Taula d'atributs és obligatori DocType: Production Planning Tool,Get Sales Orders,Rep ordres de venda -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} no pot ser negatiu +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} no pot ser negatiu apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Descompte DocType: Asset,Total Number of Depreciations,Nombre total d'amortitzacions DocType: Sales Invoice Item,Rate With Margin,Amb la taxa de marge @@ -1118,7 +1122,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 +1546,ZIP Code,Codi ZIP +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1136,7 +1140,7 @@ 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',"Si us plau, estableix "Aplicar descompte addicional en '" +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 DocType: Global Defaults,Global Defaults,Valors per defecte globals @@ -1168,10 +1172,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 +22,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 +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} 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 +347,Capacity Planning Error,Planificació de la capacitat d'error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,És la tornada apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} amb números de sèrie vàlids per Punt {1} +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} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,El Codi de l'article no es pot canviar de número de sèrie apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Perfil {0} ja creat per a l'usuari: {1} i companyia {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM factor de conversió @@ -1200,7 +1204,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 +675,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 +2389,"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 +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." 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" @@ -1241,7 +1245,7 @@ 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,Veure Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'article {0} no pot tenir per lots @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Vendes Sol·licitar {0} no és vàlid +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Lloc de la incidència apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contracte DocType: Email Digest,Add Quote,Afegir Cita -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Es necessita un factor de coversió per la UDM: {0} per l'article: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Es necessita un factor de coversió per la UDM: {0} per l'article: {1} 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 +736,Sync Master Data,Sincronització de dades mestres -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Els Productes o Serveis de la teva companyia +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 DocType: Mode of Payment,Mode of Payment,Forma de pagament -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,This is a root item group and cannot be edited. @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Estat de l'ordre de producció és {0} DocType: Appraisal Goal,Goal,Meta DocType: Sales Invoice Item,Edit Description,Descripció ,Team Updates,actualitzacions equip @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,existeix magatzem nen per a aquest magatzem. No es pot eliminar aquest magatzem. 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 +177,Serial number {0} entered more than once,Nombre de sèrie {0} va entrar més d'una vegada +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 +78,{0} items in progress,{0} articles en procés +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1425,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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ó. @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Nom de l'Adreça d'enviament apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Pla General de Comptabilitat DocType: Material Request,Terms and Conditions Content,Contingut de Termes i Condicions apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,no pot ser major que 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Article {0} no és un article d'estoc +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Article {0} no és un article d'estoc DocType: Maintenance Visit,Unscheduled,No programada DocType: Employee,Owned,Propietat de DocType: Salary Detail,Depends on Leave Without Pay,Depèn de la llicència sense sou @@ -1465,7 +1467,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 +273,We buy this Item,Comprem aquest article +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l'actiu fix +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l'actiu fix apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,No hi ha registres a la taula de Pagaments apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Aquest {0} conflictes amb {1} de {2} {3} DocType: Student Attendance Tool,Students HTML,Els estudiants HTML DocType: POS Profile,Apply Discount,aplicar descompte -DocType: Purchase Invoice Item,GST HSN Code,Codi HSN GST +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 +283,Packing Slip(s) cancelled,Fulla(s) d'embalatge cancel·lat @@ -1557,8 +1559,8 @@ 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 +2573,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 +269,Box,Caixa +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 +873,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" @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Mètode d'amortització DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se selecciona, la pàgina d'inici serà el grup per defecte de l'article per al lloc web" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM per defecte per {0} no trobat per a Projecte {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Les reclamacions per compte de l'empresa. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,nova tasca apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Fer Cita apps/erpnext/erpnext/config/selling.py +216,Other Reports,altres informes DocType: Dependent Task,Dependent Task,Tasca dependent -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversió per a la unitat de mesura per defecte ha de ser d'1 a la fila {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversió per a la unitat de mesura per defecte ha de ser d'1 a la fila {0} 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}" DocType: SMS Center,Receiver List,Llista de receptors -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,cerca article +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ja acabat +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Aneu client POS DocType: Account,Account Name,Nom del Compte apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,De la data no pot ser més gran que A Data -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Número de sèrie {0} quantitat {1} no pot ser una fracció +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Número de sèrie {0} quantitat {1} no pot ser una fracció apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Taula mestre de tipus de proveïdor DocType: Purchase Order Item,Supplier Part Number,PartNumber del proveïdor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,La taxa de conversió no pot ser 0 o 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vehicle Dispatch Date +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Compte per Pagar per defecte apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ajustaments per a la compra en línia, com les normes d'enviament, llista de preus, etc." @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Inclogui les vacanc DocType: Sales Invoice,Packed Items,Dinar Articles apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamació de garantia davant el No. de sèrie DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Reemplaçar una llista de materials(BOM) a totes les altres llistes de materials(BOM) on s'utilitza. Substituirà l'antic enllaç de llista de materials(BOM), s'actualitzarà el cost i es regenerarà la taula ""BOM Explosionat"", segons la nova llista de materials" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Total" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"Total" DocType: Shopping Cart Settings,Enable Shopping Cart,Habilita Compres DocType: Employee,Permanent Address,Adreça Permanent apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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" @@ -1741,7 +1744,7 @@ DocType: Purchase Invoice,Notification Email Address,Dir Adreça de correu elect ,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 +699,Offline,desconnectat +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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ó @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Inici apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Establir prefix de numeracions seriades a les transaccions DocType: Employee Attendance Tool,Employees HTML,Els empleats HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d'estar actiu per aquest material o la seva plantilla +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d'estar actiu per aquest material o la seva plantilla 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 @@ -1770,7 +1773,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 +175,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 +173,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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,Nº de sèrie i lots apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Força grup d'alumnes apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Diari entrada {0} no té cap {1} entrada inigualable apps/erpnext/erpnext/config/hr.py +137,Appraisals,taxacions -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Número de sèrie duplicat per l'article {0} +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" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} ha de ser presentat +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Pagament @@ -1806,12 +1809,12 @@ 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 +257,"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 +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" 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: Asset Movement,Asset Movement,moviment actiu -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nou carro +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir els articles des dels rebuts de compra DocType: Serial No,Creation Date,Data de creació apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Article {0} apareix diverses vegades en el Preu de llista {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Venda de comprovar, si es selecciona aplicable Perquè {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Venda de comprovar, si es selecciona aplicable Perquè {0}" DocType: Production Plan Material Request,Material Request Date,Data de sol·licitud de materials DocType: Purchase Order Item,Supplier Quotation Item,Oferta del proveïdor d'article DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desactiva la creació de registres de temps en contra de les ordres de fabricació. Les operacions no seran objecte de seguiment contra l'Ordre de Producció @@ -1853,12 +1856,12 @@ DocType: Supplier,Supplier of Goods or Services.,Proveïdor de productes o serve DocType: Budget,Fiscal Year,Any Fiscal DocType: Vehicle Log,Fuel Price,Preu del combustible DocType: Budget,Budget,Pressupost -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Actius Fixos L'article ha de ser una posició no de magatzem. +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 +209,e.g. 5,per exemple 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1867,7 +1870,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,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 +263,A Product or Service,Un producte o servei +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Parell +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Parell apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Data de finalització real (a través de fulla d'hores) 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 +160,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 +342,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar +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 DocType: Shipping Rule Condition,Shipping Amount,Total de l'enviament -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Afegir Clients +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar ,Supplier-Wise Sales Analytics,Proveïdor-Wise Vendes Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Introduïu suma pagat DocType: Salary Structure,Select employees for current Salary Structure,Seleccioneu els empleats d'estructura salarial actual +DocType: Sales Invoice,Company Address Name,Direcció Nom de l'empresa 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)" @@ -1999,7 +2003,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 +269,Unit,Unitat +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,diferència suma @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Classificació dels clients per regió apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Diferència La quantitat ha de ser zero DocType: Project,Gross Margin,Marge Brut -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Si us plau indica primer l'Article a Producció +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 +748,Quotation,Oferta @@ -2041,7 +2045,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Client / Direcció Plom -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Avís: certificat SSL no vàlid en la inclinació {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Avís: certificat SSL no vàlid en la inclinació {0} DocType: Student Admission,Eligibility,Elegibilitat apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Cables ajuden a obtenir negoci, posar tots els seus contactes i més com els seus clients potencials" DocType: Production Order Operation,Actual Operation Time,Temps real de funcionament @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Calcular Puntuació total DocType: Request for Quotation,Manufacturing Manager,Gerent de Fàbrica apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},El número de sèrie {0} està en garantia fins {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir nota de lliurament en paquets. -apps/erpnext/erpnext/hooks.py +87,Shipments,Els enviaments +apps/erpnext/erpnext/hooks.py +94,Shipments,Els enviaments DocType: Payment Entry,Total Allocated Amount (Company Currency),Total assignat (Companyia de divises) DocType: Purchase Order Item,To be delivered to customer,Per ser lliurat al client DocType: BOM,Scrap Material Cost,Cost de materials de rebuig -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Número de sèrie {0} no pertany a cap magatzem +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Número de sèrie {0} no pertany a cap magatzem DocType: Purchase Invoice,In Words (Company Currency),En paraules (Divisa de la Companyia) DocType: Asset,Supplier,Proveïdor DocType: C-Form,Quarter,Trimestre @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Compte de Préstec empleat DocType: Leave Application,Total Leave Days,Dies totals d'absències DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: El correu electrònic no serà enviat als usuaris amb discapacitat apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Nombre d'Interacció -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codi de l'article> Grup Element> Marca 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 +408,{0} is mandatory for Item {1},{0} és obligatori per l'article {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2124,7 +2127,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Reclamació de detall de despesa -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Seleccioneu el compte correcte +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Triplicat per PROVEÏDOR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Seleccioneu el compte correcte DocType: Item,Weight UOM,UDM del pes DocType: Salary Structure Employee,Salary Structure Employee,Empleat Estructura salarial DocType: Employee,Blood Group,Grup sanguini @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,guardians 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 +336,Debit To is required,Es requereix dèbit per +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total no pagat: {0 DocType: BOM Website Operation,BOM Website Operation,Operació Pàgina Web de llista de materials apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta De Oferta apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generar sol·licituds de materials (MRP) i ordres de producció. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total facturat Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Total facturat Amt DocType: BOM,Conversion Rate,Taxa de conversió apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cercar producte DocType: Timesheet Detail,To Time,Per Temps @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Números de sèrie necessaris per Punt {1}. Vostè ha proporcionat {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Números de sèrie necessaris per Punt {1}. Vostè ha proporcionat {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Valoració actual Taxa DocType: Item,Customer Item Codes,Codis dels clients apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Guany en Canvi / Pèrdua @@ -2220,7 +2224,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 +2454,Select Batch No,Seleccioneu Lot n +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,Permetre que usuaris DocType: Purchase Order,Customer Mobile No,Client Mòbil No DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Seguiment d'Ingressos i Despeses per separat per a les verticals de productes o divisions. DocType: Rename Tool,Rename Tool,Eina de canvi de nom -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualització de Costos +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 +438,Show Salary Slip,Slip Mostra Salari apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Si us plau conjunt recurrent després de guardar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Seleccioneu el canvi import del compte +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Afegir Impostos +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2267,6 +2271,7 @@ DocType: Stock Entry,Purchase Receipt No,Número de rebut de compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Diners Earnest DocType: Process Payroll,Create Salary Slip,Crear fulla de nòmina apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traçabilitat +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / Codi SAC 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 @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,Postgrau DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detall del Programa de manteniment DocType: Quality Inspection Reading,Reading 9,Lectura 9 DocType: Supplier,Is Frozen,Està Congelat -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,magatzem node de grup no se li permet seleccionar per a les transaccions +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,magatzem node de grup no se li permet seleccionar per a les transaccions DocType: Buying Settings,Buying Settings,Ajustaments de compra DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. de producte acabat d'article DocType: Upload Attendance,Attendance To Date,Assistència fins a la Data @@ -2311,13 +2316,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,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 +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Si us plau entra la quantitat Planificada per l'article {0} a la fila {1} @@ -2339,7 +2344,7 @@ DocType: Authorization Rule,Authorized Value,Valor Autoritzat DocType: BOM,Show Operations,Mostra Operacions ,Minutes to First Response for Opportunity,Minuts fins a la primera resposta per Oportunitats apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Absent -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Article o magatzem per a la fila {0} no coincideix Sol·licitud de materials +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Article o magatzem per a la fila {0} no coincideix Sol·licitud de materials apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unitat de mesura DocType: Fiscal Year,Year End Date,Any Data de finalització DocType: Task Depends On,Task Depends On,Tasca Depèn de @@ -2430,7 +2435,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 +106,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 +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/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 @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Àrbitre +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Àrbitre DocType: Budget,Cost Center,Centre de Cost apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Comprovant # DocType: Notification Control,Purchase Order Message,Missatge de les Ordres de Compra @@ -2544,7 +2549,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 +1165,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 +1086,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 +773,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 @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,Finalització de tasques apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,No en Stock DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Impostos i despeses deduïdes -apps/erpnext/erpnext/hooks.py +116,Issues,Qüestions +apps/erpnext/erpnext/hooks.py +124,Issues,Qüestions apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Estat ha de ser un {0} DocType: Sales Invoice,Debit To,Per Dèbit DocType: Delivery Note,Required only for sample item.,Només és necessari per l'article de mostra. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territori apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Si us plau, no de visites requerides" DocType: Stock Settings,Default Valuation Method,Mètode de valoració predeterminat +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,quota DocType: Vehicle Log,Fuel Qty,Quantitat de combustible DocType: Production Order Operation,Planned Start Time,Planificació de l'hora d'inici DocType: Course,Assessment,valoració @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,L'annotació {0} està cancel·lada -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total Monto Pendent +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Totes les transaccions de venda es poden etiquetar contra múltiples venedors ** ** perquè pugui establir i monitoritzar metes. ,S.O. No.,S.O. No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Si us plau, crea Client a partir del client potencial {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Si us plau, crea Client a partir del client potencial {0}" DocType: Price List,Applicable for Countries,Aplicable per als Països apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Només Deixa aplicacions amb estat "Aprovat" i "Rebutjat" pot ser presentat apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Estudiant Nom del grup és obligatori a la fila {0} @@ -2655,6 +2661,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/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 @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Transferència de materia 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.,El percentatge de descompte es pot aplicar ja sigui contra una llista de preus o per a tot Llista de Preus. DocType: Purchase Invoice,Half-yearly,Semestral apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Entrada Comptabilitat de Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Vostè ja ha avaluat pels criteris d'avaluació {}. DocType: Vehicle Service,Engine Oil,d'oli del motor -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Si us plau configuració Empleat Sistema de noms de Recursos Humans> Configuració de recursos humans DocType: Sales Invoice,Sales Team1,Equip de Vendes 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Article {0} no existeix DocType: Sales Invoice,Customer Address,Direcció del client @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitat Legal / Subsidiari amb un gràfic separat de comptes que pertanyen a l'Organització. DocType: Payment Request,Mute Email,Silenciar-mail apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentació, begudes i tabac" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,La Comissió no pot ser major que 100 DocType: Stock Entry,Subcontract,Subcontracte apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Si us plau, introdueixi {0} primer" @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Estudiant Full d'Assistència Mensual apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},L'Empleat {0} ja ha sol·licitat {1} entre {2} i {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projecte Data d'Inici -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Fins +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Fins DocType: Rename Tool,Rename Log,Canviar el nom de registre apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grup d'estudiant o Horari del curs és obligatòria DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mantenir Hores i hores de treball de facturació igual en part d'hores @@ -2778,7 +2785,7 @@ DocType: Purchase Order Item,Returned Qty,Tornat Quantitat DocType: Employee,Exit,Sortida apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type is mandatory DocType: BOM,Total Cost(Company Currency),Cost total (Companyia de divises) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} creat +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial No {0} creat DocType: Homepage,Company Description for website homepage,Descripció de l'empresa per a la pàgina d'inici pàgina web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Per comoditat dels clients, aquests codis es poden utilitzar en formats d'impressió, com factures i albarans" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,nom suplir @@ -2798,7 +2805,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Calendari de cursos eliminen: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Registres per mantenir l'estat de lliurament de sms DocType: Accounts Settings,Make Payment via Journal Entry,Fa el pagament via entrada de diari -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,impresa: +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,impresa: DocType: Item,Inspection Required before Delivery,Inspecció requerida abans del lliurament DocType: Item,Inspection Required before Purchase,Inspecció requerida abans de la compra apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Activitats pendents @@ -2830,9 +2837,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Eina de lot apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,límit creuades 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.,"Un terme acadèmic amb això 'Any Acadèmic' {0} i 'Nom terme' {1} ja existeix. Si us plau, modificar aquestes entrades i torneu a intentar." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Com que hi ha transaccions existents contra l'element {0}, no es pot canviar el valor de {1}" +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}","Com que hi ha transaccions existents contra l'element {0}, no es pot canviar el valor de {1}" DocType: UOM,Must be Whole Number,Ha de ser nombre enter DocType: Leave Control Panel,New Leaves Allocated (In Days),Noves Fulles Assignats (en dies) +DocType: Sales Invoice,Invoice Copy,Còpia de la factura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,El número de sèrie {0} no existeix DocType: Sales Invoice Item,Customer Warehouse (Optional),Magatzem al client (opcional) DocType: Pricing Rule,Discount Percentage,%Descompte @@ -2877,8 +2885,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Tancament automàtic d&# 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Imatges entrades +DocType: Program Enrollment,Boarding Student,Estudiant d'embarcament DocType: Asset,Expected Value After Useful Life,Valor esperat després de la vida útil DocType: Item,Reorder level based on Warehouse,Nivell de comanda basat en Magatzem DocType: Activity Cost,Billing Rate,Taxa de facturació @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,Detalls de la Garantia/AMC apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Estudiants seleccionats de forma manual per al grup basat en activitats DocType: Journal Entry,User Remark,Observació de l'usuari DocType: Lead,Market Segment,Sector de mercat -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},La quantitat pagada no pot ser superior a la quantitat pendent negativa total de {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},La quantitat pagada no pot ser superior a la quantitat pendent negativa total de {0} DocType: Employee Internal Work History,Employee Internal Work History,Historial de treball intern de l'empleat apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Tancament (Dr) DocType: Cheque Print Template,Cheque Size,xec Mida -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,El número de sèrie {0} no està en estoc +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,El número de sèrie {0} no està en estoc apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla d'Impostos per a la venda de les transaccions. DocType: Sales Invoice,Write Off Outstanding Amount,Write Off Outstanding Amount apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Compte {0} no coincideix amb el de l'empresa {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,Afegir uns registres d'exemple +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2947,17 +2957,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de sèrie i de lot DocType: Warranty Claim,From Company,Des de l'empresa -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de les puntuacions de criteris d'avaluació ha de ser {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de les puntuacions de criteris d'avaluació ha de ser {0}. 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 +270,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Overdraft Account apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Feu nòmina apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Fila # {0}: quantitat assignada no pot ser més gran que la quantitat pendent. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Navegar per llista de materials +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Navegar per llista de materials apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Préstecs Garantits DocType: Purchase Invoice,Edit Posting Date and Time,Edita data i hora d'enviament apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Si us plau, estableix els comptes relacionats de depreciació d'actius en Categoria {0} o de la seva empresa {1}" @@ -2993,7 +3003,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 +278,Select Quantity,Seleccioneu Quantitat +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},No es permet actualitzar les transaccions de valors més grans de {0} DocType: Purchase Invoice Item,PR Detail,Detall PR DocType: Sales Order,Fully Billed,Totalment Anunciat +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/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 +127,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)" @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Suma total del càlcul del 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 DocType: Customs Tariff Number,Tariff Number,Nombre de tarifes +DocType: Production Order Item,Available Qty at WIP Warehouse,Quantitats disponibles en magatzem WIP apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projectat -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} no pertany al Magatzem {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial No {0} no pertany al Magatzem {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,Nota: El sistema no verificarà el lliurament excessiva i l'excés de reserves per Punt {0} com la quantitat o la quantitat és 0 DocType: Notification Control,Quotation Message,Cita Missatge DocType: Employee Loan,Employee Loan Application,Sol·licitud de Préstec empleat @@ -3072,13 +3084,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Monto Voucher apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Bills plantejades pels proveïdors. DocType: POS Profile,Write Off Account,Escriu Off Compte -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota de càrrec Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Nota de càrrec Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Quantitat de Descompte DocType: Purchase Invoice,Return Against Purchase Invoice,Retorn Contra Compra Factura 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 +207,e.g. VAT,"per exemple, l'IVA" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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ó @@ -3086,7 +3098,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 +1945,Please select customer,Seleccioneu al client +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3115,7 +3127,7 @@ DocType: Lead,Address Desc,Descripció de direcció apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Part és obligatòria DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Nom del tema -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Has de marcar compra o venda +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Has de marcar compra o venda apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Seleccioneu la naturalesa del seu negoci. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Fila # {0}: Duplicar entrada a les Referències {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,On es realitzen les operacions de fabricació. @@ -3124,7 +3136,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Quantitat mínima no pot ser major que Quantitat màxima +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 DocType: Account,Accumulated Depreciation,Depreciació acumulada DocType: Stock Entry,Customer or Supplier Details,Client o proveïdor Detalls DocType: Employee Loan Application,Required by Date,Requerit per Data @@ -3153,10 +3165,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Article de l' apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nom de l'empresa no pot ser l'empresa apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Caps de lletres per a les plantilles d'impressió. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títols per a plantilles d'impressió, per exemple, factura proforma." +DocType: Program Enrollment,Walking,per caminar DocType: Student Guardian,Student Guardian,Guardià de l'estudiant apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Càrrecs de tipus de valoració no poden marcat com Inclòs DocType: POS Profile,Update Stock,Actualització de Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UDMs diferents per als articles provocarà pesos nets (Total) erronis. Assegureu-vos que pes net de cada article és de la mateixa UDM. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Entrada de diari de la ferralla @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar impostos ruptura apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Compte de Tresoreria predeterminat apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Companyia (no client o proveïdor) mestre. 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 +176,No Students in,No Estudiants en +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 +108,Please enter 'Expected Delivery Date',"Si us plau, introdueixi 'la data prevista de lliurament'" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN invàlida o Enter NA per no registrat +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3275,23 @@ DocType: Sales Team,Contribution (%),Contribució (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Nota: L'entrada de pagament no es crearà perquè no s'ha especificat 'Caixa o compte bancari""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilitats DocType: Expense Claim Account,Expense Claim Account,Compte de Despeses +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Si us plau ajust de denominació de la sèrie de {0} a través d'Configuració> Configuració> Sèrie Naming DocType: Sales Person,Sales Person Name,Nom del venedor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Si us plau, introdueixi almenys 1 factura a la taula" +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Afegir usuaris DocType: POS Item Group,Item Group,Grup d'articles DocType: Item,Safety Stock,seguretat de la apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% D'avanç per a una tasca no pot contenir més de 100. DocType: Stock Reconciliation Item,Before reconciliation,Abans de la reconciliació apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Per {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos i Càrrecs Afegits (Divisa de la Companyia) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La fila de l'impost d'article {0} ha de tenir en compte el tipus d'impostos o ingressos o despeses o imposable +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La fila de l'impost d'article {0} ha de tenir en compte el tipus d'impostos o ingressos o despeses o imposable DocType: Sales Order,Partly Billed,Parcialment Facturat apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Element {0} ha de ser un element d'actiu fix DocType: Item,Default BOM,BOM predeterminat -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Nota de dèbit Quantitat +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Nota de dèbit Quantitat apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Si us plau, torneu a escriure nom de l'empresa per confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Viu total Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Viu total Amt DocType: Journal Entry,Printing Settings,Paràmetres d'impressió DocType: Sales Invoice,Include Payment (POS),Incloure Pagament (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Dèbit total ha de ser igual al total de crèdit. La diferència és {0} @@ -3286,20 +3299,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automòb DocType: Vehicle,Insurance Company,Companyia asseguradora DocType: Asset Category Account,Fixed Asset Account,Compte d'actiu fix apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,variable -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,De la nota de lliurament +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,De la nota de lliurament DocType: Student,Student Email Address,Estudiant Adreça de correu electrònic DocType: Timesheet Detail,From Time,From Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,En Stock: DocType: Notification Control,Custom Message,Missatge personalitzat apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banca d'Inversió apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Diners en efectiu o compte bancari és obligatòria per a realitzar el registre de pagaments -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si us plau configuració sèries de numeració per a l'assistència a través d'Configuració> sèries de numeració apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Direcció de l'estudiant DocType: Purchase Invoice,Price List Exchange Rate,Tipus de canvi per a la llista de preus 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 +1517,Address Name,nom direcció +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3316,7 +3328,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3324,7 +3336,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Introduir el valor ha de ser positiu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3333,7 +3345,7 @@ DocType: Process Payroll,Process Payroll,Process Payroll apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Hi ha més vacances que els dies de treball aquest mes. DocType: Product Bundle Item,Product Bundle Item,Producte Bundle article DocType: Sales Partner,Sales Partner Name,Nom del revenedor -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Sol·licitud de Cites +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Sol·licitud de Cites DocType: Payment Reconciliation,Maximum Invoice Amount,Import Màxim Factura DocType: Student Language,Student Language,idioma de l'estudiant apps/erpnext/erpnext/config/selling.py +23,Customers,clients @@ -3343,7 +3355,7 @@ DocType: Asset,Partially Depreciated,parcialment depreciables DocType: Issue,Opening Time,Temps d'obertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Des i Fins a la data sol·licitada apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & Commodity Exchanges -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de @@ -3361,7 +3373,7 @@ 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 +266,Raw Material,Matèria Primera +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3373,7 +3385,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Si us plau ajust de denominació de la sèrie de {0} a través d'Configuració> Configuració> Sèrie Naming 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. @@ -3385,8 +3396,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Nº de Sèrie Necessari per article serialitzat {0} +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/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 DocType: Journal Entry,Bank Entry,Entrada Banc DocType: Authorization Rule,Applicable To (Designation),Aplicable a (Designació) @@ -3403,7 +3414,7 @@ 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 +270,Hour,Hora +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3413,7 +3424,7 @@ DocType: Item,Default Material Request Type,El material predeterminat Tipus de s 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 +645,Point of Sale,Punt de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3428,8 +3439,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 +270,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3454,14 +3465,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 +465,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 +466,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 +834,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 +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 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 @@ -3493,7 +3504,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Estat de facturació @@ -3540,7 +3551,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ajustos per a la pàgina d'inici pàgina web 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 +214,Invalid attribute {0} {1},atribut no vàlid {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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ó'" @@ -3638,16 +3649,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,components de sous DocType: Program Enrollment Tool,New Academic Year,Nou Any Acadèmic apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retorn / Nota de Crèdit DocType: Stock Settings,Auto insert Price List rate if missing,Acte inserit taxa Llista de Preus si falta -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Suma total de pagament +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Suma total de pagament DocType: Production Order Item,Transferred Qty,Quantitat Transferida apps/erpnext/erpnext/config/learn.py +11,Navigating,Navegació apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planificació 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 +272,We sell this Item,Venem aquest article +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3695,7 +3708,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 +1186,Please set Company,Si us plau ajust l'empresa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3711,13 +3724,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,En para 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} ja utilitzat en el punt {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} ja utilitzat en el punt {1} DocType: Lead,Add to calendar on this date,Afegir al calendari en aquesta data apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regles per afegir les despeses d'enviament. DocType: Item,Opening Stock,l'obertura de la apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Es requereix client apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} és obligatori per la Devolució DocType: Purchase Order,To Receive,Rebre +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Email Personal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variància total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si està activat, el sistema comptabilitza els assentaments comptables per a l'inventari automàticament." @@ -3729,7 +3743,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 +541,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 +542,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 @@ -3737,7 +3751,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Fora de la Garantia DocType: BOM Replace Tool,Replace,Reemplaçar apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No s'han trobat productes. -DocType: Production Order,Unstopped,destapats apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra factura Vendes {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nom del projecte @@ -3748,6 +3761,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} 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 @@ -3784,9 +3798,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,De Gamma apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Error de sintaxi en la fórmula o condició: {0} 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 +100,Item {0} ignored since it is not a stock item,Article {0} ignorat ja que no és un article d'estoc +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 +40,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 +102,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 @@ -3794,12 +3808,14 @@ 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 +209,Rate (%),Tarifa (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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è" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Si us plau ajust empresa de filtres en blanc si és Agrupa per 'empresa' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Data d'entrada no pot ser data futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: Nombre de sèrie {1} no coincideix amb {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Deixar Casual @@ -3828,7 +3844,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Ledger entrada Stock apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Ajustaments de comptabilitat apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,aprovar DocType: Customer,Sales Partner and Commission,Soci de vendes i de la Comissió @@ -3843,7 +3859,7 @@ 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 +62,{0} items produced,{0} articles produïts +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3857,7 +3873,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Reclamació de despeses to 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} DocType: Journal Entry Account,Exchange Rate,Tipus De Canvi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Comanda de client {0} no es presenta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3882,18 +3898,18 @@ 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 +705,Online,en línia +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,comandes presentats no es poden eliminar +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Pagar una quantitat fixa per Període apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Introduïu la quantitat d'articles per {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota de Crèdit Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Nota de Crèdit Amt DocType: Employee External Work History,Employee External Work History,Historial de treball d'Empleat extern DocType: Tax Rule,Purchase,Compra apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Saldo Quantitat @@ -3918,7 +3934,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 +2383,Select items to save the invoice,Seleccioneu articles per estalviar la factura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3947,6 +3963,7 @@ DocType: Guardian,Guardian Of ,El guarda de DocType: Grading Scale Interval,Threshold,Llindar DocType: BOM Replace Tool,Current BOM,BOM actual apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Afegir Número de sèrie +DocType: Production Order Item,Available Qty at Source Warehouse,Quantitats disponibles a Font Magatzem apps/erpnext/erpnext/config/support.py +22,Warranty,garantia DocType: Purchase Invoice,Debit Note Issued,Nota de dèbit Publicat DocType: Production Order,Warehouses,Magatzems @@ -3962,13 +3979,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Quantitat paga apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerent De Projecte ,Quoted Item Comparison,Citat article Comparació apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Despatx -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Descompte màxim permès per l'article: {0} és {1}% +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 +279,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 +879,Select Items to Manufacture,Seleccionar articles a Fabricació -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps" +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" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Venedor Descripció DocType: Employee Education,Qualification,Qualificació @@ -3992,7 +4009,7 @@ DocType: POS Profile,Terms and Conditions,Condicions 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 +200,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 +198,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 @@ -4012,7 +4029,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Per establir aquest any fiscal predeterminat, feu clic a ""Estableix com a predeterminat""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,unir-se apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Quantitat escassetat -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Hi ha la variant d'article {0} amb mateixos atributs +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Hi ha la variant d'article {0} amb mateixos atributs DocType: Employee Loan,Repay from Salary,Pagar del seu sou DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Sol·licitant el pagament contra {0} {1} per la quantitat {2} @@ -4030,18 +4047,18 @@ 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 +1011,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l'article. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Nombre de sèrie {0} ja s'ha rebut +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 ,Requested Items To Be Transferred,Articles sol·licitats per a ser transferits 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 +1312,Delete permanently?,Eliminar de forma permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},No vàlida {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},No vàlida {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Baixa per malaltia DocType: Email Digest,Email Digest,Butlletí per correu electrònic DocType: Delivery Note,Billing Address Name,Nom de l'adressa de facturació @@ -4054,6 +4071,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Facturable DocType: Company,Change Abbreviation,Canvi Abreviatura DocType: Expense Claim Detail,Expense Date,Data de la Despesa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codi de l'article> Grup Element> Marca DocType: Item,Max Discount (%),Descompte màxim (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Darrera Quantitat de l'ordre DocType: Task,Is Milestone,és Milestone @@ -4077,8 +4095,8 @@ DocType: Program Enrollment Tool,New Program,nou Programa DocType: Item Attribute Value,Attribute Value,Atribut Valor ,Itemwise Recommended Reorder Level,Nivell d'articles recomanat per a tornar a passar comanda DocType: Salary Detail,Salary Detail,Detall de sous -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Seleccioneu {0} primer -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lot {0} de {1} article ha expirat. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Seleccioneu {0} primer +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Lot {0} de {1} article ha expirat. DocType: Sales Invoice,Commission,Comissió apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Full de temps per a la fabricació. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,total parcial @@ -4103,12 +4121,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 +399,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 +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/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 +387,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 +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/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 @@ -4138,7 +4156,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,disposició Data DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Els correus electrònics seran enviats a tots els empleats actius de l'empresa a l'hora determinada, si no tenen vacances. Resum de les respostes serà enviat a la mitjanit." DocType: Employee Leave Approver,Employee Leave Approver,Empleat Deixar aprovador -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No es pot declarar com perdut, perquè s'han fet ofertes" 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 @@ -4171,6 +4189,7 @@ DocType: Announcement,Student,Estudiant apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unitat d'Organització (departament) mestre. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Entra números de mòbil vàlids apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Si us plau, escriviu el missatge abans d'enviar-" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Duplicat per PROVEÏDOR DocType: Email Digest,Pending Quotations,A l'espera de Cites apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Punt de Venda Perfil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Actualitza Ajustaments SMS @@ -4179,7 +4198,7 @@ DocType: Cost Center,Cost Center Name,Nom del centre de cost DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Màxim les hores de treball contra la part d'hores DocType: Maintenance Schedule Detail,Scheduled Date,Data Prevista -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total pagat Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total pagat Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Els missatges de més de 160 caràcters es divideixen en diversos missatges DocType: Purchase Receipt Item,Received and Accepted,Rebut i acceptat ,GST Itemised Sales Register,GST Detallat registre de vendes @@ -4189,7 +4208,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 +237,Your Suppliers,Els seus Proveïdors +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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' @@ -4201,7 +4220,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Lloc web Imatge {0} unit a l'article {1} no es pot trobar +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. @@ -4216,7 +4235,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Què fa? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Magatzem destí apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tots Admissió d'Estudiants ,Average Commission Rate,Comissió de Tarifes mitjana -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Té Num de Sèrie' no pot ser 'Sí' per a items que no estan a l'estoc +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Té Num de Sèrie' no pot ser 'Sí' per a items que no estan a l'estoc apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,No es poden entrar assistències per dates futures DocType: Pricing Rule,Pricing Rule Help,Ajuda de la Regla de preus DocType: School House,House Name,Nom de la casa @@ -4232,7 +4251,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 +339,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 +340,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 @@ -4247,20 +4266,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},La relliscada de sou de l'empleat {0} ja creat per al full de temps {1} DocType: Vehicle Log,Odometer,comptaquilòmetres DocType: Sales Order Item,Ordered Qty,Quantitat demanada -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Article {0} està deshabilitat +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generar Salari Slips -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Compra de comprovar, si es selecciona aplicable Perquè {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Compra de comprovar, si es selecciona aplicable Perquè {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Descompte ha de ser inferior a 100 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 +500,Default BOM for {0} not found,BOM per defecte per {0} no trobat -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda +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/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ó DocType: Landed Cost Voucher,Landed Cost Voucher,Val Landed Cost @@ -4320,7 +4339,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data prevista no pot ser anterior material Data de sol·licitud DocType: Purchase Invoice Item,Stock Qty,existència Quantitat -DocType: Production Order,Source Warehouse (for reserving Items),Font de magatzems (per reservar articles) DocType: Employee Loan,Repayment Period in Months,Termini de devolució en Mesos apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Error: No és un document d'identitat vàlid? DocType: Naming Series,Update Series Number,Actualització Nombre Sèries @@ -4368,7 +4386,7 @@ DocType: Production Order,Planned End Date,Planejat Data de finalització apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Lloc d'emmagatzematge dels articles. DocType: Request for Quotation,Supplier Detail,Detall del proveïdor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Error en la fórmula o condició: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Quantitat facturada +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Quantitat facturada DocType: Attendance,Attendance,Assistència apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,stockItems DocType: BOM,Materials,Materials @@ -4408,10 +4426,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,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 +382,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 +650,Please specify Attribute Value for attribute {0},"Si us plau, especifiqui Atribut Valor de l'atribut {0}" +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}" DocType: Item,Default Warehouse,Magatzem predeterminat apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Pressupost no es pot assignar contra comptes de grup {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Si us plau, introduïu el centre de cost dels pares" @@ -4470,7 +4488,7 @@ 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 +1344,Select or add new customer,Seleccionar o afegir nou client +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/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 @@ -4478,6 +4496,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Si us plau configuració Empleat Sistema de noms de Recursos Humans> Configuració de recursos humans 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 +231,{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. @@ -4500,7 +4519,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,La llista de preus no existeix o està deshabilitada +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4520,7 +4539,7 @@ DocType: POS Profile,Account for Change Amount,Compte per al Canvi Monto apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Fila {0}: Festa / Compte no coincideix amb {1} / {2} en {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Si us plau ingressi Compte de Despeses DocType: Account,Stock,Estoc -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser un l'ordre de compra, factura de compra o d'entrada de diari" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser un l'ordre de compra, factura de compra o d'entrada de diari" DocType: Employee,Current Address,Adreça actual DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si l'article és una variant d'un altre article llavors descripció, imatges, preus, impostos etc s'establirà a partir de la plantilla a menys que s'especifiqui explícitament" DocType: Serial No,Purchase / Manufacture Details,Compra / Detalls de Fabricació @@ -4558,11 +4577,12 @@ DocType: Student,Home Address,Adreça de casa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,actius transferència DocType: POS Profile,POS Profile,POS Perfil DocType: Training Event,Event Name,Nom de l'esdeveniment -apps/erpnext/erpnext/config/schools.py +39,Admission,admissió +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,admissió apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Les admissions per {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Article {0} és una plantilla, per favor seleccioni una de les seves variants" DocType: Asset,Asset Category,categoria actius +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Comprador apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salari net no pot ser negatiu DocType: SMS Settings,Static Parameters,Paràmetres estàtics DocType: Assessment Plan,Room,habitació @@ -4571,6 +4591,7 @@ DocType: Item,Item Tax,Impost d'article apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materials de Proveïdor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de Clients> Territori DocType: Expense Claim,Employees Email Id,Empleats Identificació de l'email DocType: Employee Attendance Tool,Marked Attendance,assistència marcada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passiu exigible @@ -4642,6 +4663,7 @@ DocType: Leave Type,Is Carry Forward,Is Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Resum de la diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv index 5e5cc67212..f7c078ff81 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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" DocType: Employee,Holiday List,Seznam dovolené -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Účetní +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Účetní DocType: Cost Center,Stock User,Sklad Uživatel DocType: Company,Phone No,Telefon apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Plány kurzu vytvořil: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Není dovoleno {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Položka získaná z -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nebyl nalezen položek +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Reports DocType: Warehouse,Warehouse Detail,Sklad Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Úvěrový limit byla překročena o zákazníka {0} {1} / {2} 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.,"Termínovaný Datum ukončení nemůže být později než v roce Datum ukončení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1} DocType: Item,Copy From Item Group,Kopírovat z bodu Group DocType: Journal Entry,Opening Entry,Otevření Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Účet Pay Pouze DocType: Employee Loan,Repay Over Number of Periods,Splatit Over počet období DocType: Stock Entry,Additional Costs,Dodatečné náklady @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nemovitost -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Výpis z účtu +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é DocType: Purchase Invoice Item,Is Fixed Asset,Je dlouhodobého majetku apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","K dispozici je množství {0}, musíte {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Spotřební +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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í @@ -211,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Příklad: Základní Mathematics +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/config/hr.py +214,Settings for HR Module,Nastavení pro HR modul DocType: SMS Center,SMS Center,SMS centrum @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Položky a Ceny apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Celkem hodin: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},"Od data by měla být v rámci fiskálního roku. Za předpokladu, že od data = {0}" +apps/erpnext/erpnext/hooks.py +87,Quotes,Citáty DocType: Customer,Individual,Individuální DocType: Interest,Academics User,akademici Uživatel DocType: Cheque Print Template,Amount In Figure,Na obrázku výše @@ -265,7 +266,7 @@ DocType: Employee,Create User,Vytvořit uživatele DocType: Selling Settings,Default Territory,Výchozí Territory apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televize DocType: Production Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Množství předem nemůže být větší než {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Množství předem nemůže být větší než {0} {1} DocType: Naming Series,Series List for this Transaction,Řada seznam pro tuto transakci DocType: Company,Enable Perpetual Inventory,Povolit trvalý inventář DocType: Company,Default Payroll Payable Account,"Výchozí mzdy, splatnou Account" @@ -273,7 +274,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 +177,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 +175,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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontakt Jméno +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Dovolených za rok 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 +189,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1} +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 +270,Litre,Litr +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankovní Příspěvky apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Roční DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reklamní Odsouhlasení Item @@ -315,7 +316,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 +316,People who teach at your organisation,"Lidé, kteří vyučují ve vaší organizaci" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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í @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Umožnit uživateli upravovat Rate 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 +699,Item {0} is cancelled,Položka {0} je zrušen +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 +882,Material Request,Požadavek na materiál DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum DocType: Item,Purchase Details,Nákup Podrobnosti @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +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""" 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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} vloženo dvakrát v Daňové Položce +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} vloženo dvakrát v Daňové Položce apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Shrnutí pro tento týden a probíhajícím činnostem DocType: Student Applicant,Admitted,"připustil," DocType: Workstation,Rent Cost,Rent Cost @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Přijaté apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Vytvoření skupiny studentů apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup již dokončen !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Částka kreditní poznámky +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Částka kreditní poznámky ,Finished Goods,Hotové zboží DocType: Delivery Note,Instructions,Instrukce DocType: Quality Inspection,Inspected By,Zkontrolován @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Vytvořit nový zákazník +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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í> Číslovací série" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Vytvoření objednávek ,Purchase Register,Nákup Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,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 +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/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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný několikrát v atributech tabulce +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný několikrát v atributech tabulce DocType: HR Settings,Employee record is created using selected field. ,Záznam Zaměstnanec je vytvořena pomocí vybrané pole. DocType: Sales Order,Not Applicable,Nehodí se apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday master. @@ -524,7 +526,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 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Prosím, zadejte sklad, který bude materiál žádosti předložené" DocType: Production Order,Additional Operating Cost,Další provozní náklady apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky" DocType: Shipping Rule,Net Weight,Hmotnost DocType: Employee,Emergency Phone,Nouzový telefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Koupit @@ -547,7 +549,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 +2428,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 +2522,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 @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků DocType: Purchase Invoice,Supplier Invoice No,Dodavatelské faktury č DocType: Territory,For reference,Pro srovnání -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nelze odstranit Pořadové číslo {0}, který se používá na skladě transakcích" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nelze odstranit Pořadové číslo {0}, který se používá na skladě transakcích" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Uzavření (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Přemístit položku DocType: Serial No,Warranty Period (Days),Záruční doba (dny) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vyberte první společnost a Party Typ apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanční / Účetní rok. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Neuhrazená Hodnoty -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Ujistěte se prodejní objednávky DocType: Project Task,Project Task,Úkol Project ,Lead Id,Id leadu @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Přidělit apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return 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,Poznámka: Celkový počet alokovaných listy {0} by neměla být menší než které již byly schváleny listy {1} pro období +,Total Stock Summary,Shrnutí souhrnného stavu DocType: Announcement,Posted By,Přidal DocType: Item,Delivered by Supplier (Drop Ship),Dodává Dodavatelem (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Databáze potenciálních zákazníků. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Databáze zákazn DocType: Quotation,Quotation To,Nabídka k DocType: Lead,Middle Income,Středními příjmy apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otvor (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Výchozí měrná jednotka bodu {0} nemůže být změněna přímo, protože jste už nějaké transakce (y) s jiným nerozpuštěných. Budete muset vytvořit novou položku použít jiný výchozí UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Výchozí měrná jednotka bodu {0} nemůže být změněna přímo, protože jste už nějaké transakce (y) s jiným nerozpuštěných. Budete muset vytvořit novou položku použít jiný výchozí UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Přidělená částka nemůže být záporná apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavte společnost DocType: Purchase Order Item,Billed Amt,Účtovaného Amt @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maximální skóre Assessment apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Transakční Data aktualizace Bank apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKÁT PRO TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiskální rok Společnosti DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,Konference @@ -675,8 +679,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 +320,Timesheet created:,Časového rozvrhu vytvoření: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,Dokončit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Dokončit apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Báze DocType: Timesheet,Total Billed Hours,Celkem Předepsané Hodiny DocType: Journal Entry,Write Off Amount,Odepsat Částka @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Prodejce City ,Absent Student Report,Absent Student Report DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne: DocType: Offer Letter Term,Offer Letter Term,Nabídka Letter Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Položka má varianty. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Položka má varianty. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Položka {0} nebyl nalezen DocType: Bin,Stock Value,Reklamní Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Společnost {0} neexistuje @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,Udělat TimeSheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Výchozí Náklady na prodan apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ceník není zvolen DocType: Employee,Family Background,Rodinné poměry DocType: Request for Quotation Supplier,Send Email,Odeslat email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varování: Neplatná Příloha {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nemáte oprávnění +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Varování: Neplatná Příloha {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nemáte oprávnění 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -872,7 +876,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 +274,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 +275,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 @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, 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/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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} musí být aktivní +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1} DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Sklady se stávajícími transakce nelze převést na knihy. DocType: Bank Reconciliation,Total Amount,Celková částka @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Komponenty apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Prosím, zadejte Kategorie majetku v položce {0}" DocType: Quality Inspection Reading,Reading 6,Čtení 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nelze {0} {1} {2} bez negativních vynikající faktura +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Nelze {0} {1} {2} bez negativních vynikající faktura DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury DocType: Hub Settings,Sync Now,Sync teď apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1} @@ -998,12 +1002,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 +731,New Sales Invoice,Nová prodejní faktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Faktury +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemický DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Výchozí banka / Peněžní účet budou automaticky aktualizovány v plat položka deníku je-li zvolen tento režim. DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company měna) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,Metr +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1060,7 +1064,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 +452,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka" +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" 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 @@ -1068,7 +1072,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 +259,Qty for {0},Množství pro {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Hotovostní / Bankovní účet apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Zadejte {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Odstraněné položky bez změny množství nebo hodnoty. DocType: Delivery Note,Delivery To,Doručení do -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribut tabulka je povinné +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Atribut tabulka je povinné DocType: Production Planning Tool,Get Sales Orders,Získat Prodejní objednávky -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nemůže být negativní +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nemůže být negativní apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Sleva DocType: Asset,Total Number of Depreciations,Celkový počet Odpisy DocType: Sales Invoice Item,Rate With Margin,Míra s marží @@ -1118,7 +1122,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 +1546,ZIP Code,PSČ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1136,7 +1140,7 @@ 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Prosím nastavte na "Použít dodatečnou slevu On" +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" DocType: Global Defaults,Global Defaults,Globální Výchozí @@ -1168,10 +1172,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 +22,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 +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} 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 +347,Capacity Planning Error,Plánování kapacit Chyba +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,Je Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} platí pořadová čísla pro položky {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} platí pořadová čísla pro položky {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kód položky nemůže být změněn pro Serial No. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} již vytvořili pro uživatele: {1} a společnost {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Conversion Factor @@ -1200,7 +1204,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 +675,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 +2389,"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 +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." 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" @@ -1241,7 +1245,7 @@ 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,View Ledger 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 +511,"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/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/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 @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Příklad: Masters v informatice +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Prodejní objednávky {0} není platný +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Místo vydání apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Smlouva DocType: Email Digest,Add Quote,Přidat nabídku -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaše Produkty nebo Služby +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 DocType: Mode of Payment,Mode of Payment,Způsob platby -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat. @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Delivery Note {0} není předložena +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Stav výrobní zakázka je {0} DocType: Appraisal Goal,Goal,Cíl DocType: Sales Invoice Item,Edit Description,Upravit popis ,Team Updates,tým Aktualizace @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dítě sklad existuje pro tento sklad. Nemůžete odstranit tento sklad. 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 +177,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou +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 +78,{0} items in progress,{0} položky v probíhající +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1425,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Název dodací adresy apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Diagram účtů DocType: Material Request,Terms and Conditions Content,Podmínky Content apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nemůže být větší než 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Položka {0} není skladem +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Položka {0} není skladem DocType: Maintenance Visit,Unscheduled,Neplánovaná DocType: Employee,Owned,Vlastník DocType: Salary Detail,Depends on Leave Without Pay,Závisí na dovolené bez nároku na mzdu @@ -1465,7 +1467,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 +273,We buy this Item,Vykupujeme tuto položku +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,Podsestavy +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Podsestavy DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,úkol Hmotnost DocType: Shipping Rule Condition,To Value,Chcete-li hodnota @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nalezené v tabulce platby Žádné záznamy apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Tato {0} je v rozporu s {1} o {2} {3} DocType: Student Attendance Tool,Students HTML,studenti HTML DocType: POS Profile,Apply Discount,Použít slevu -DocType: Purchase Invoice Item,GST HSN Code,GST HSN kód +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 +283,Packing Slip(s) cancelled,Balící list(y) stornován(y) @@ -1557,8 +1559,8 @@ 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 +2573,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 +269,Box,Krabice +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,splácení Metoda DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Pokud je zaškrtnuto, domovská stránka bude výchozí bod skupina pro webové stránky" DocType: Quality Inspection Reading,Reading 4,Čtení 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Výchozí BOM pro {0} nenalezen Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Nároky na náklady firmy. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nová úloha apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Vytvořit nabídku apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostatní zprávy DocType: Dependent Task,Dependent Task,Závislý Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}" 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}" DocType: SMS Center,Receiver List,Přijímač Seznam -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Hledání položky +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,již byly dokončeny +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Identifikační číslo zákazníka DocType: Account,Account Name,Název účtu apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Datum OD nemůže být vetší než datum DO -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dodavatel Type master. DocType: Purchase Order Item,Supplier Part Number,Dodavatel Číslo dílu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vozidlo Dispatch Datum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Výchozí Splatnost účtu apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavení pro on-line nákupního košíku, jako jsou pravidla dopravu, ceník atd" @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Zahrnout dovolenou DocType: Sales Invoice,Packed Items,Zabalené položky apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reklamační proti sériového čísla DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Nahradit konkrétní kusovník ve všech ostatních kusovnících, kde se používá. To nahradí původní odkaz kusovníku, aktualizujte náklady a obnoví ""BOM rozložení položky"" tabulku podle nového BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Celkový' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Celkový' DocType: Shopping Cart Settings,Enable Shopping Cart,Povolit Nákupní košík DocType: Employee,Permanent Address,Trvalé bydliště apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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ů" @@ -1741,7 +1744,7 @@ DocType: Purchase Invoice,Notification Email Address,Oznámení e-mailová adres ,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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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í @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hlavní apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varianta DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavit prefix pro číslování série na vašich transakcí DocType: Employee Attendance Tool,Employees HTML,zaměstnanci HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony 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 @@ -1770,7 +1773,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 +175,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 +173,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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,Sériové čísla a dávky apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Síla skupiny studentů apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Proti věstníku Vstup {0} nemá bezkonkurenční {1} vstupu apps/erpnext/erpnext/config/hr.py +137,Appraisals,ocenění -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0} +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í" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} musí být předloženy +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Platba @@ -1806,12 +1809,12 @@ 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 +257,"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 +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í." 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: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,New košík +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Položka získaná z dodacího listu DocType: Serial No,Creation Date,Datum vytvoření apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Položka {0} se objeví několikrát v Ceníku {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" DocType: Production Plan Material Request,Material Request Date,Materiál Request Date DocType: Purchase Order Item,Supplier Quotation Item,Dodavatel Nabídka Položka DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Zakáže vytváření časových protokolů proti výrobní zakázky. Operace nesmějí být sledovány proti výrobní zakázky @@ -1853,12 +1856,12 @@ 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 DocType: Budget,Budget,Rozpočet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musí být non-skladová položka. +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 +209,e.g. 5,např. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1867,7 +1870,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,"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 +263,A Product or Service,Produkt nebo Služba +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pár +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pár apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Skutečné datum ukončení (přes Time Sheet) 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 +160,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 +342,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet" +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" DocType: Shipping Rule Condition,Shipping Amount,Částka - doprava -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Přidat zákazníky +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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á @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,Pohledávky ,Supplier-Wise Sales Analytics,Dodavatel-Wise Prodej Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Vstup do zaplacená částka DocType: Salary Structure,Select employees for current Salary Structure,Zvolit zaměstnancům za současného platovou strukturu +DocType: Sales Invoice,Company Address Name,Název adresy společnosti 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)" @@ -1999,7 +2003,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 +269,Unit,Jednotka +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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á. DocType: Stock Reconciliation Item,Amount Difference,výše Rozdíl @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Rozdělení zákazníků podle krajů apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Rozdíl Částka musí být nula DocType: Project,Gross Margin,Hrubá marže -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Prosím, zadejte první výrobní položku" +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 +748,Quotation,Nabídka @@ -2041,7 +2045,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Zákazník / Lead Address -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varování: Neplatný certifikát SSL na přílohu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Varování: Neplatný certifikát SSL na přílohu {0} DocType: Student Admission,Eligibility,Způsobilost apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Vede vám pomohou podnikání, přidejte všechny své kontakty a více jak svých potenciálních zákazníků" DocType: Production Order Operation,Actual Operation Time,Aktuální Provozní doba @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Vypočítat Celková skóre DocType: Request for Quotation,Manufacturing Manager,Výrobní ředitel apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Rozdělit dodací list do balíčků. -apps/erpnext/erpnext/hooks.py +87,Shipments,Zásilky +apps/erpnext/erpnext/hooks.py +94,Shipments,Zásilky DocType: Payment Entry,Total Allocated Amount (Company Currency),Celková alokovaná částka (Company měna) DocType: Purchase Order Item,To be delivered to customer,Chcete-li být doručeno zákazníkovi DocType: BOM,Scrap Material Cost,Šrot Material Cost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,"Pořadové číslo {0} nepatří do skladu," +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,"Pořadové číslo {0} nepatří do skladu," DocType: Purchase Invoice,In Words (Company Currency),Slovy (měna společnosti) DocType: Asset,Supplier,Dodavatel DocType: C-Form,Quarter,Čtvrtletí @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Zaměstnanec úvěrového účtu DocType: Leave Application,Total Leave Days,Celkový počet dnů dovolené DocType: Email Digest,Note: Email will not be sent to disabled users,Poznámka: E-mail se nepodařilo odeslat pro zdravotně postižené uživatele apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Počet interakcí -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/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 +408,{0} is mandatory for Item {1},{0} je povinná k položce {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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ě" @@ -2124,7 +2127,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Detail úhrady výdajů -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Prosím, vyberte správný účet" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE PRO DODAVATELE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Prosím, vyberte správný účet" DocType: Item,Weight UOM,Hmotnostní jedn. DocType: Salary Structure Employee,Salary Structure Employee,Plat struktura zaměstnanců DocType: Employee,Blood Group,Krevní Skupina @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debetní K je vyžadováno +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Celkové nezaplace DocType: BOM Website Operation,BOM Website Operation,BOM Webové stránky Provoz apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Nabídka Letter apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generování materiálu Požadavky (MRP) a výrobní zakázky. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Celkové fakturované Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Celkové fakturované Amt DocType: BOM,Conversion Rate,Míra konverze apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Hledat výrobek DocType: Timesheet Detail,To Time,Chcete-li čas @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériová čísla požadované pro položky {1}. Poskytli jste {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériová čísla požadované pro položky {1}. Poskytli jste {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuální ocenění Rate DocType: Item,Customer Item Codes,Zákazník Položka Kódy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange zisk / ztráta @@ -2220,7 +2224,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 +2454,Select Batch No,Vyberte číslo šarže +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,Povolit uživatele DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žádné DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledovat samostatné výnosy a náklady pro vertikál produktu nebo divizí. DocType: Rename Tool,Rename Tool,Přejmenování -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Aktualizace Cost +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 +438,Show Salary Slip,Show výplatní pásce apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Prosím nastavte opakující se po uložení -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vybrat změna výše účet +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Přidejte daně +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2267,6 +2271,7 @@ DocType: Stock Entry,Purchase Receipt No,Číslo příjmky apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money DocType: Process Payroll,Create Salary Slip,Vytvořit výplatní pásce apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledovatelnost +DocType: Purchase Invoice Item,HSN/SAC Code,Kód HSN / SAC 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 @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,Postgraduální DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Plán údržby Detail DocType: Quality Inspection Reading,Reading 9,Čtení 9 DocType: Supplier,Is Frozen,Je Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Uzel skupina sklad není dovoleno vybrat pro transakce +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Uzel skupina sklad není dovoleno vybrat pro transakce DocType: Buying Settings,Buying Settings,Nákup Nastavení DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Ne pro hotový dobré položce DocType: Upload Attendance,Attendance To Date,Účast na data @@ -2311,13 +2316,13 @@ 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 +164,{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 +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}" 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 +472,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží." +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.js +153,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky" +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í apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Prosím, zadejte Plánované Množství k bodu {0} na řádku {1}" @@ -2339,7 +2344,7 @@ DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota DocType: BOM,Show Operations,Zobrazit Operations ,Minutes to First Response for Opportunity,Zápisy do první reakce na příležitost apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Celkem Absent -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Měrná jednotka DocType: Fiscal Year,Year End Date,Datum Konce Roku DocType: Task Depends On,Task Depends On,Úkol je závislá na @@ -2430,7 +2435,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 +106,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 +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/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 @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil" +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/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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Nákladové středisko apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Zprávy vydané objenávky @@ -2544,7 +2549,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 +1165,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 +1086,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 +773,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í @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,úkol Dokončení apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Není skladem DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Daně a odečtené -apps/erpnext/erpnext/hooks.py +116,Issues,Problémy +apps/erpnext/erpnext/hooks.py +124,Issues,Problémy apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Stav musí být jedním z {0} DocType: Sales Invoice,Debit To,Debetní K DocType: Delivery Note,Required only for sample item.,Požadováno pouze pro položku vzorku. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Území apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Prosím, uveďte počet požadovaných návštěv" DocType: Stock Settings,Default Valuation Method,Výchozí metoda ocenění +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Poplatek DocType: Vehicle Log,Fuel Qty,palivo Množství DocType: Production Order Operation,Planned Start Time,Plánované Start Time DocType: Course,Assessment,Posouzení @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,Nabídka {0} je zrušena -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Celková dlužná částka +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Všechny prodejní transakce mohou být označeny proti více ** prodejcům **, takže si můžete nastavit a sledovat cíle." ,S.O. No.,SO Ne. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Prosím vytvořte Zákazník z olova {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Prosím vytvořte Zákazník z olova {0} DocType: Price List,Applicable for Countries,Pro země apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Nechte pouze aplikace, které mají status "schváleno" i "Zamítnuto" může být předložena" apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Název skupiny je povinné v řadě {0} @@ -2655,6 +2661,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/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 @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výrob 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.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku. DocType: Purchase Invoice,Half-yearly,Pololetní apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Účetní položka na skladě +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Již jste hodnotili kritéria hodnocení {}. DocType: Vehicle Service,Engine Oil,Motorový olej -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: Sales Invoice,Sales Team1,Sales Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Bod {0} neexistuje DocType: Sales Invoice,Customer Address,Zákazník Address @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100 DocType: Stock Entry,Subcontract,Subdodávka apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Prosím, zadejte {0} jako první" @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student měsíční návštěvnost Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Zaměstnanec {0} již požádal o {1} mezi {2} a {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum zahájení projektu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Dokud +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Dokud DocType: Rename Tool,Rename Log,Přejmenovat Přihlásit apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentská skupina nebo program je povinný DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Udržovat fakturace hodin a pracovní doby stejný na časový rozvrh @@ -2778,7 +2785,7 @@ DocType: Purchase Order Item,Returned Qty,Vrácené Množství DocType: Employee,Exit,Východ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type je povinné DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company měna) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Pořadové číslo {0} vytvořil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Pořadové číslo {0} vytvořil DocType: Homepage,Company Description for website homepage,Společnost Popis pro webové stránky domovskou stránku DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pro pohodlí zákazníků, tyto kódy mohou být použity v tiskových formátech, jako na fakturách a dodacích listech" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Jméno suplier @@ -2798,7 +2805,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS brána URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Plány kurzu zrušuje: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Protokoly pro udržení stavu doručení sms DocType: Accounts Settings,Make Payment via Journal Entry,Provést platbu přes Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Vytištěno na +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Vytištěno na DocType: Item,Inspection Required before Delivery,Inspekce Požadované před porodem DocType: Item,Inspection Required before Purchase,Inspekce Požadované před nákupem apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Nevyřízené Aktivity @@ -2830,9 +2837,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit zkříženými 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.,Akademický termín s tímto "akademický rok '{0} a" Jméno Termín' {1} již existuje. Upravte tyto položky a zkuste to znovu. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Stejně jako existují nějaké transakce proti položce {0} nelze změnit hodnotu {1} +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}",Stejně jako existují nějaké transakce proti položce {0} nelze změnit hodnotu {1} DocType: UOM,Must be Whole Number,Musí být celé číslo DocType: Leave Control Panel,New Leaves Allocated (In Days),Nové Listy Přidělené (ve dnech) +DocType: Sales Invoice,Invoice Copy,Kopie faktury apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Pořadové číslo {0} neexistuje DocType: Sales Invoice Item,Customer Warehouse (Optional),Zákazník Warehouse (volitelně) DocType: Pricing Rule,Discount Percentage,Sleva v procentech @@ -2877,8 +2885,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto v blízkosti 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}","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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Příspěvky +DocType: Program Enrollment,Boarding Student,Stravující student DocType: Asset,Expected Value After Useful Life,Očekávaná hodnota po celou dobu životnosti DocType: Item,Reorder level based on Warehouse,Úroveň Změna pořadí na základě Warehouse DocType: Activity Cost,Billing Rate,Fakturace Rate @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,Záruka / AMC Podrobnosti apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vyberte studenty ručně pro skupinu založenou na aktivitách DocType: Journal Entry,User Remark,Uživatel Poznámka DocType: Lead,Market Segment,Segment trhu -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplacená částka nemůže být vyšší než celkový negativní dlužné částky {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplacená částka nemůže být vyšší než celkový negativní dlužné částky {0} DocType: Employee Internal Work History,Employee Internal Work History,Interní historie práce zaměstnance apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Uzavření (Dr) DocType: Cheque Print Template,Cheque Size,Šek Velikost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Pořadové číslo {0} není skladem +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Pořadové číslo {0} není skladem apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Daňové šablona na prodej transakce. DocType: Sales Invoice,Write Off Outstanding Amount,Odepsat dlužné částky apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Účet {0} neodpovídá společnosti {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,Přidat několik ukázkových záznamů +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/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 @@ -2947,17 +2957,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Pořadové číslo a Batch DocType: Warranty Claim,From Company,Od Společnosti -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Součet skóre hodnotících kritérií musí být {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Součet skóre hodnotících kritérií musí být {0}. 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 +270,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kontokorentní úvěr na účtu apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Vytvořit výplatní pásku apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Řádek # {0}: Přidělená částka nesmí být vyšší než zůstatek. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Procházet kusovník +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Procházet kusovník apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Zajištěné úvěry DocType: Purchase Invoice,Edit Posting Date and Time,Úpravy účtování Datum a čas apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizace účty s ním souvisejících v kategorii Asset {0} nebo {1} Company" @@ -2993,7 +3003,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 +278,Select Quantity,Zvolte množství +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0} DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Plně Fakturovaný +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodavatel> Typ dodavatele 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Celková kalkulace Částk 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 DocType: Customs Tariff Number,Tariff Number,tarif Počet +DocType: Production Order Item,Available Qty at WIP Warehouse,Dostupné množství v WIP skladu apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Plánovaná -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {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,Poznámka: Systém nebude kontrolovat přes dobírku a over-rezervace pro item {0} jako množství nebo částka je 0 DocType: Notification Control,Quotation Message,Zpráva Nabídky DocType: Employee Loan,Employee Loan Application,Zaměstnanec žádost o úvěr @@ -3072,13 +3084,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Směnky vznesené dodavately DocType: POS Profile,Write Off Account,Odepsat účet -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Note Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debit Note Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Částka slevy DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupní faktury 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 +207,e.g. VAT,např. DPH +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3086,7 +3098,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 +1945,Please select customer,Vyberte zákazníka +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3115,7 +3127,7 @@ DocType: Lead,Address Desc,Popis adresy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je povinná DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Název tématu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vyberte podstatu svého podnikání. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Řádek # {0}: Duplicitní záznam v odkazu {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Tam, kde jsou výrobní operace prováděny." @@ -3124,7 +3136,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství +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í DocType: Account,Accumulated Depreciation,oprávky DocType: Stock Entry,Customer or Supplier Details,Zákazníka nebo dodavatele Podrobnosti DocType: Employee Loan Application,Required by Date,Vyžadováno podle data @@ -3153,10 +3165,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Dodané polo apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Název společnosti nemůže být Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Hlavičkové listy pro tisk šablon. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tituly na tiskových šablon, např zálohové faktury." +DocType: Program Enrollment,Walking,Chůze DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Poplatky typu ocenění může není označen jako Inclusive DocType: POS Profile,Update Stock,Aktualizace skladem -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodavatel> Typ dodavatele apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Zápis do deníku do šrotu @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Show daň break-up apps/erpnext/erpnext/accounts/party.py +308,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é @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Výchozí Peněžní účet apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master. 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 +176,No Students in,Žádné studenty v +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 +108,Please enter 'Expected Delivery Date',"Prosím, zadejte ""Očekávaná Datum dodání""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Neplatná hodnota GSTIN nebo Zadejte NA pro neregistrované +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3275,23 @@ DocType: Sales Team,Contribution (%),Příspěvek (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Poznámka: Položka Platba nebude vytvořili, protože ""v hotovosti nebo bankovním účtu"" nebyl zadán" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odpovědnost DocType: Expense Claim Account,Expense Claim Account,Náklady na pojistná Account +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í> Pojmenování DocType: Sales Person,Sales Person Name,Prodej Osoba Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Přidat uživatele DocType: POS Item Group,Item Group,Položka Group DocType: Item,Safety Stock,bezpečnostní Sklad apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Pokrok% za úkol nemůže být více než 100. DocType: Stock Reconciliation Item,Before reconciliation,Před smíření apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Chcete-li {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Daně a poplatky Přidal (Company měna) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací" DocType: Sales Order,Partly Billed,Částečně Účtovaný apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} musí být dlouhodobá aktiva položka DocType: Item,Default BOM,Výchozí BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Částka pro debetní poznámku +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Částka pro debetní poznámku apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prosím re-typ název společnosti na potvrzení -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Celkem Vynikající Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Celkem Vynikající Amt DocType: Journal Entry,Printing Settings,Tisk Nastavení DocType: Sales Invoice,Include Payment (POS),Zahrnují platby (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Celkové inkaso musí rovnat do celkového kreditu. Rozdíl je {0} @@ -3286,19 +3299,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Pojišťovna DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Proměnná -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Z Dodacího Listu +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Z Dodacího Listu DocType: Student,Student Email Address,Student E-mailová adresa DocType: Timesheet Detail,From Time,Času od apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na skladě: DocType: Notification Control,Custom Message,Custom Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investiční bankovnictví apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního -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í> Číslovací série" apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentská adresa 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 +1517,Address Name,adresa Jméno +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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í @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Zadejte hodnota musí být kladná +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,Proces Payroll apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc. DocType: Product Bundle Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Sales Partner Name -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Žádost o citátů +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Žádost o citátů DocType: Payment Reconciliation,Maximum Invoice Amount,Maximální částka faktury DocType: Student Language,Student Language,Student Language apps/erpnext/erpnext/config/selling.py +23,Customers,zákazníci @@ -3342,7 +3354,7 @@ DocType: Asset,Partially Depreciated,částečně odepisována DocType: Issue,Opening Time,Otevírací doba apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Data OD a DO jsou vyžadována apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,Surovina +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -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í> Pojmenování 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í." @@ -3384,8 +3395,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Vztahující se na (označení) @@ -3402,7 +3413,7 @@ 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 +270,Hour,Hodina +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3412,7 +3423,7 @@ 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 +645,Point of Sale,Místo Prodeje +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3427,8 +3438,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3453,14 +3464,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 +465,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 +466,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 +834,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 +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í 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ů @@ -3492,7 +3503,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Fakturace State @@ -3539,7 +3550,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nastavení titulní stránce webu 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 +214,Invalid attribute {0} {1},Neplatný atribut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vyberte jinou skupinu hodnocení než skupinu Všechny skupiny @@ -3637,16 +3648,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Mzdové Components DocType: Program Enrollment Tool,New Academic Year,Nový akademický rok apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / dobropis DocType: Stock Settings,Auto insert Price List rate if missing,"Auto vložka Ceník sazba, pokud chybí" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Celkem uhrazené částky +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Celkem uhrazené částky DocType: Production Order Item,Transferred Qty,Přenesená Množství apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigace apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plánování 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 +272,We sell this Item,Nabízíme k prodeji tuto položku +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3694,7 +3707,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 +1186,Please set Company,Nastavte společnost +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3710,13 +3723,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slo 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1} DocType: Lead,Add to calendar on this date,Přidat do kalendáře k tomuto datu apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu. DocType: Item,Opening Stock,otevření Sklad apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je nutná zákazník apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je povinné pro návrat DocType: Purchase Order,To Receive,Obdržet +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Osobní e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Celkový rozptyl DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky." @@ -3728,7 +3742,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 +541,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 +542,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í @@ -3736,7 +3750,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Out of záruky DocType: BOM Replace Tool,Replace,Vyměnit apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nenašli se žádné produkty. -DocType: Production Order,Unstopped,nezastavěnou apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} proti vystavené faktuře {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Název projektu @@ -3747,6 +3760,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} 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 @@ -3783,9 +3797,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Od Rozsah apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},syntaktická chyba ve vzorci nebo stavu: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Každodenní práci Souhrnné Nastavení Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Položka {0} ignorována, protože to není skladem" +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 +40,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 +102,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 @@ -3793,12 +3807,14 @@ 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 +209,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Nastavte filtr společnosti prázdný, pokud je Skupina By je 'Company'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Vysílání datum nemůže být budoucí datum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Řádek # {0}: Výrobní číslo {1} neodpovídá {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3827,7 +3843,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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ý +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ý DocType: Accounts Settings,Accounts Settings,Nastavení účtu apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Schvalovat DocType: Customer,Sales Partner and Commission,Prodej Partner a Komise @@ -3842,7 +3858,7 @@ 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 +62,{0} items produced,{0} předměty vyrobené +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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í @@ -3856,7 +3872,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via E 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} DocType: Journal Entry Account,Exchange Rate,Exchange Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena +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 DocType: Homepage,Tag Line,tag linka DocType: Fee Component,Fee Component,poplatek Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet management @@ -3881,18 +3897,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Předložené objednávky nelze smazat +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Splatit pevná částka na období apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Zadejte prosím množství produktů, bod {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Úvěrová poznámka Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Úvěrová poznámka Amt DocType: Employee External Work History,Employee External Work History,Zaměstnanec vnější práce History DocType: Tax Rule,Purchase,Nákup apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Zůstatek Množství @@ -3917,7 +3933,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 +2383,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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í @@ -3946,6 +3962,7 @@ DocType: Guardian,Guardian Of ,strážce DocType: Grading Scale Interval,Threshold,Práh DocType: BOM Replace Tool,Current BOM,Aktuální BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Přidat Sériové číslo +DocType: Production Order Item,Available Qty at Source Warehouse,Dostupné množství v zdrojovém skladu apps/erpnext/erpnext/config/support.py +22,Warranty,Záruka DocType: Purchase Invoice,Debit Note Issued,Vydání dluhopisu DocType: Production Order,Warehouses,Sklady @@ -3961,13 +3978,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Zaplacené č apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager ,Quoted Item Comparison,Citoval Položka Porovnání apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Odeslání -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}% +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 +279,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 +879,Select Items to Manufacture,Vyberte položky do Výroba -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas" +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" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Prodejce Popis DocType: Employee Education,Qualification,Kvalifikace @@ -3991,7 +4008,7 @@ DocType: POS Profile,Terms and Conditions,Podmínky 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 +200,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 +198,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 @@ -4011,7 +4028,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Chcete-li nastavit tento fiskální rok jako výchozí, klikněte na tlačítko ""Nastavit jako výchozí""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Připojit apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatek Množství -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy DocType: Employee Loan,Repay from Salary,Splatit z platu DocType: Leave Application,LAP/,ÚSEK/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Požadovala vyplacení proti {0} {1} na částku {2} @@ -4029,18 +4046,18 @@ 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 +1011,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Pořadové číslo {0} již obdržel +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 ,Requested Items To Be Transferred,Požadované položky mají být převedeny 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 +1312,Delete permanently?,Smazat trvale? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Neplatný {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neplatný {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Zdravotní dovolená DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Jméno Fakturační adresy @@ -4053,6 +4070,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Vyměřovací DocType: Company,Change Abbreviation,Změna zkratky DocType: Expense Claim Detail,Expense Date,Datum výdaje +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 DocType: Item,Max Discount (%),Max sleva (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Částka poslední objednávky DocType: Task,Is Milestone,Je milník @@ -4076,8 +4094,8 @@ DocType: Program Enrollment Tool,New Program,nový program DocType: Item Attribute Value,Attribute Value,Hodnota atributu ,Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level DocType: Salary Detail,Salary Detail,plat Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Prosím, nejprve vyberte {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Šarže {0} položky {1} vypršela. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Prosím, nejprve vyberte {0}" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Šarže {0} položky {1} vypršela. DocType: Sales Invoice,Commission,Provize apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas list pro výrobu. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,mezisoučet @@ -4102,12 +4120,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 +399,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 +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/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 +387,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 +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/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í @@ -4137,7 +4155,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Likvidace Datum DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-maily budou zaslány všem aktivním zaměstnancům společnosti v danou hodinu, pokud nemají dovolenou. Shrnutí odpovědí budou zaslány do půlnoci." DocType: Employee Leave Approver,Employee Leave Approver,Zaměstnanec Leave schvalovač -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena." 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 @@ -4170,6 +4188,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organizace jednotka (departement) master. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Zadejte platné mobilní nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Prosím, zadejte zprávu před odesláním" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLIKÁT PRO DODAVATELE DocType: Email Digest,Pending Quotations,Čeká na citace apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Aktualizujte prosím nastavení SMS @@ -4178,7 +4197,7 @@ DocType: Cost Center,Cost Center Name,Jméno nákladového střediska DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Maximální pracovní doba proti časového rozvrhu DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Celkem uhrazeno Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Celkem uhrazeno Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv DocType: Purchase Receipt Item,Received and Accepted,Obdrženo a přijato ,GST Itemised Sales Register,GST Itemized Sales Register @@ -4188,7 +4207,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 +237,Your Suppliers,Vaši Dodavatelé +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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"" @@ -4200,7 +4219,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} připojuje k bodu {1} nelze nalézt +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. @@ -4215,7 +4234,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Co to dělá apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Do skladu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Všechny Student Přijímací ,Average Commission Rate,Průměrná cena Komise -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemůže být ""Ano"" pro neskladové zboží" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemůže být ""Ano"" pro neskladové zboží" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Účast nemůže být označen pro budoucí data DocType: Pricing Rule,Pricing Rule Help,Ceny Pravidlo Help DocType: School House,House Name,Jméno dům @@ -4231,7 +4250,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 +339,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 +340,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 @@ -4246,20 +4265,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Výplatní pásce zaměstnance {0} již vytvořili pro časové list {1} 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 +683,Item {0} is disabled,Položka {0} je zakázána +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generování výplatních páskách -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Sleva musí být menší než 100 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 +500,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Přistálo Náklady Voucher @@ -4319,7 +4338,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekávané datum nemůže být před Materiál Poptávka Datum DocType: Purchase Invoice Item,Stock Qty,Množství zásob -DocType: Production Order,Source Warehouse (for reserving Items),Zdroj Warehouse (pro rezervaci položky) DocType: Employee Loan,Repayment Period in Months,Splácení doba v měsících apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Chyba: Není platný id? DocType: Naming Series,Update Series Number,Aktualizace Series Number @@ -4367,7 +4385,7 @@ DocType: Production Order,Planned End Date,Plánované datum ukončení apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,"Tam, kde jsou uloženy předměty." DocType: Request for Quotation,Supplier Detail,dodavatel Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Chyba ve vzorci nebo stavu: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Fakturovaná částka +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Fakturovaná částka DocType: Attendance,Attendance,Účast apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,sklade DocType: BOM,Materials,Materiály @@ -4407,10 +4425,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Nastavení jednoduché webové stránky pro mou organizaci +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0} DocType: Item,Default Warehouse,Výchozí Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Rozpočet nemůže být přiřazena na skupinový účet {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský" @@ -4469,7 +4487,7 @@ 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 +1344,Select or add new customer,Vyberte nebo přidání nového zákazníka +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/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 @@ -4477,6 +4495,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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. @@ -4499,7 +4518,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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""" @@ -4519,7 +4538,7 @@ DocType: POS Profile,Account for Change Amount,Účet pro změnu Částka apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Řádek {0}: Party / Account neshoduje s {1} / {2} do {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Prosím, zadejte výdajového účtu" DocType: Account,Stock,Sklad -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním z objednávky, faktury nebo Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním z objednávky, faktury nebo Journal Entry" DocType: Employee,Current Address,Aktuální adresa DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Je-li položka je varianta další položku pak popis, obraz, oceňování, daní atd bude stanoven ze šablony, pokud není výslovně uvedeno" DocType: Serial No,Purchase / Manufacture Details,Nákup / Výroba Podrobnosti @@ -4557,11 +4576,12 @@ DocType: Student,Home Address,Domácí adresa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Převod majetku DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Název události -apps/erpnext/erpnext/config/schools.py +39,Admission,Přijetí +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Přijetí apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Přijímací řízení pro {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Položka {0} je šablona, prosím vyberte jednu z jeho variant" DocType: Asset,Asset Category,Asset Kategorie +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Kupec apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net plat nemůže být záporný DocType: SMS Settings,Static Parameters,Statické parametry DocType: Assessment Plan,Room,Pokoj @@ -4570,6 +4590,7 @@ DocType: Item,Item Tax,Daň Položky apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiál Dodavateli apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id DocType: Employee Attendance Tool,Marked Attendance,Výrazná Návštěvnost apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Krátkodobé závazky @@ -4641,6 +4662,7 @@ DocType: Leave Type,Is Carry Forward,Je převádět apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Sklad Souhrn diff --git a/erpnext/translations/da-DK.csv b/erpnext/translations/da-DK.csv index b7773d6a10..986b23e5ad 100644 --- a/erpnext/translations/da-DK.csv +++ b/erpnext/translations/da-DK.csv @@ -4,7 +4,7 @@ apps/erpnext/erpnext/config/selling.py +153,Default settings for selling transac DocType: Timesheet,% Amount Billed,% Beløb Billed DocType: Purchase Order,% Billed,% Billed ,Lead Id,Bly Id -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Selling Settings,Selling Settings,Salg af indstillinger apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +73,Selling Amount,Selling Beløb apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Bly skal indstilles, hvis Opportunity er lavet af Lead" diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv index 26f007d7e2..1783720c4c 100644 --- a/erpnext/translations/da.csv +++ b/erpnext/translations/da.csv @@ -17,7 +17,7 @@ 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Helligdagskalender -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Revisor +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Revisor 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: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ikke tilladt for {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Hent varer fra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Ikke varer fundet +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Rapporter DocType: Warehouse,Warehouse Detail,Lagerinformation apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Credit grænsen er krydset for kunde {0} {1} / {2} 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.,"Den Term Slutdato kan ikke være senere end året Slutdato af skoleåret, som udtrykket er forbundet (Studieår {}). Ret de datoer og prøv igen." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Fra {0} til {1} DocType: Item,Copy From Item Group,Kopier fra varegruppe DocType: Journal Entry,Opening Entry,Åbningsbalance -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto Pay Kun DocType: Employee Loan,Repay Over Number of Periods,Tilbagebetale over antallet af perioder DocType: Stock Entry,Additional Costs,Yderligere omkostninger @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoudtog +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 DocType: Purchase Invoice Item,Is Fixed Asset,Er anlægsaktiv apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tilgængelige qty er {0}, du har brug for {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Forbrugsmaterialer +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,12 +211,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Eksempel: Grundlæggende Matematik +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/config/hr.py +214,Settings for HR Module,Indstillinger for HR modul DocType: SMS Center,SMS Center,SMS-center @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Varer og Priser apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Total time: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato skal være inden regnskabsåret. Antages Fra dato = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citater DocType: Customer,Individual,Individuel DocType: Interest,Academics User,akademikere Bruger DocType: Cheque Print Template,Amount In Figure,Beløb I figur @@ -264,7 +265,7 @@ DocType: Employee,Create User,Opret bruger DocType: Selling Settings,Default Territory,Standardområde apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Fjernsyn DocType: Production Order Operation,Updated via 'Time Log',Opdateret via 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance beløb kan ikke være større end {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance beløb kan ikke være større end {0} {1} DocType: Naming Series,Series List for this Transaction,Serie Liste for denne transaktion DocType: Company,Enable Perpetual Inventory,Aktiver evigt lager DocType: Company,Default Payroll Payable Account,Standard Payroll Betales konto @@ -272,7 +273,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 +177,For Warehouse is required before Submit,Til lager skal angives før godkendelse +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/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." @@ -280,13 +281,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 +2256,"LocalStorage is full , did not save","LocalStorage er fuld, ikke spare" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontaktnavn +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lindre Dato skal være større end Dato for Sammenføjning apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Fravær pr. år 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 +189,Warehouse {0} does not belong to company {1},Lager {0} ikke hører til firmaet {1} +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 +270,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Årligt DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Afstemning Item @@ -314,7 +315,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 +316,People who teach at your organisation,"Mennesker, der underviser i din organisation" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Tillad brugeren at redigere satsen 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 +699,Item {0} is cancelled,Vare {0} er aflyst +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 +882,Material Request,Materialeanmodning DocType: Bank Reconciliation,Update Clearance Date,Opdatering Clearance Dato DocType: Item,Purchase Details,Indkøbsdetaljer @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} indtastet to gange i varemoms +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} indtastet to gange i varemoms apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resumé for denne uge og verserende aktiviteter DocType: Student Applicant,Admitted,Advokat DocType: Workstation,Rent Cost,Leje Omkostninger @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Modtaget apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Opret Elevgrupper apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Opsætning Allerede Complete !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredit Note Beløb +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kredit Note Beløb ,Finished Goods,Færdigvarer DocType: Delivery Note,Instructions,Instruktioner DocType: Quality Inspection,Inspected By,Kontrolleret af @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Opret ny kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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> Nummerserie apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Opret indkøbsordrer ,Purchase Register,Indkøb Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,7 +470,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 +330,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 +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valgt flere gange i attributter Tabel +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valgt flere gange i attributter Tabel DocType: HR Settings,Employee record is created using selected field. ,Medarbejder rekord er oprettet ved hjælp valgte felt. DocType: Sales Order,Not Applicable,ikke gældende apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Ferie mester. @@ -523,7 +525,7 @@ 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 +219,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 +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/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" @@ -537,7 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Indtast venligst lager for hvilket materialeanmodning vil blive rejst DocType: Production Order,Additional Operating Cost,Yderligere driftsomkostninger apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetik -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","At fusionere, skal følgende egenskaber være ens for begge poster" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","At fusionere, skal følgende egenskaber være ens for begge poster" DocType: Shipping Rule,Net Weight,Nettovægt DocType: Employee,Emergency Phone,Emergency Phone apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Køb @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tilføj / rediger Skatter og Afgifter DocType: Purchase Invoice,Supplier Invoice No,Leverandør fakturanr. DocType: Territory,For reference,For reference -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan ikke slette serienummer {0}, eftersom det bruges på lagertransaktioner" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan ikke slette serienummer {0}, eftersom det bruges på lagertransaktioner" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Lukning (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Flyt vare DocType: Serial No,Warranty Period (Days),Garantiperiode (dage) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vælg Company og Party Type først apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finansiel / regnskabsår. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Akkumulerede værdier -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Beklager, serienumre kan ikke blive slået sammen" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Beklager, serienumre kan ikke blive slået sammen" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Opret salgsordre DocType: Project Task,Project Task,Sagsopgave ,Lead Id,Emne-Id @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Tildele apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Salg Return 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,Bemærk: I alt tildelt blade {0} bør ikke være mindre end allerede godkendte blade {1} for perioden +,Total Stock Summary,Samlet lageroversigt DocType: Announcement,Posted By,Bogført af DocType: Item,Delivered by Supplier (Drop Ship),Leveret af Leverandøren (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database over potentielle kunder. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kundedatabase. DocType: Quotation,Quotation To,Tilbud til DocType: Lead,Middle Income,Midterste indkomst apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Åbning (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standard måleenhed for Item {0} kan ikke ændres direkte, fordi du allerede har gjort nogle transaktion (er) med en anden UOM. Du bliver nødt til at oprette en ny konto for at bruge en anden Standard UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standard måleenhed for Item {0} kan ikke ændres direkte, fordi du allerede har gjort nogle transaktion (er) med en anden UOM. Du bliver nødt til at oprette en ny konto for at bruge en anden Standard UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Tildelte beløb kan ikke være negativ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Angiv venligst selskabet DocType: Purchase Order Item,Billed Amt,Billed Amt @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maksimal Score Assessment apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Opdatering Bank transaktionstidspunkterne apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Tidsregistrering +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICERER FOR TRANSPORTØR DocType: Fiscal Year Company,Fiscal Year Company,Fiscal År Company DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,Konference @@ -674,8 +678,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 +320,Timesheet created:,Timeseddel oprettet: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -704,7 +708,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 +139,Finish,Slutte +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Slutte apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Grundlag DocType: Timesheet,Total Billed Hours,Total Billed Timer DocType: Journal Entry,Write Off Amount,Skriv Off Beløb @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Sælger By ,Absent Student Report,Fraværende studerende rapport DocType: Email Digest,Next email will be sent on:,Næste email vil blive sendt på: DocType: Offer Letter Term,Offer Letter Term,Ansættelsesvilkår -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Vare har varianter. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Vare har varianter. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Vare {0} ikke fundet DocType: Bin,Stock Value,Stock Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Firma {0} findes ikke @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,Opret tidsregistreringskladde +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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 DocType: Request for Quotation Supplier,Send Email,Send e-mail -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advarsel: ugyldig vedhæftet fil {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ingen Tilladelse +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Advarsel: ugyldig vedhæftet fil {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Ingen Tilladelse 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret +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/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 @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,Stykliste {0} skal være aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serienummer {0} hører ikke til vare {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serienummer {0} hører ikke til vare {1} DocType: Purchase Receipt Item Supplied,Required Qty,Nødvendigt antal apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Lager med eksisterende transaktioner kan ikke konverteres til Finans. DocType: Bank Reconciliation,Total Amount,Samlet beløb @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Lønarter apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Indtast Asset kategori i Item {0} DocType: Quality Inspection Reading,Reading 6,Læsning 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uden nogen negativ udestående faktura +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uden nogen negativ udestående faktura DocType: Purchase Invoice Advance,Purchase Invoice Advance,Købsfaktura Advance DocType: Hub Settings,Sync Now,Synkroniser nu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Række {0}: Kredit indgang ikke kan knyttes med en {1} @@ -978,12 +982,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 +731,New Sales Invoice,Nye salgsfaktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Synkroniser Offline fakturaer +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kemisk DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Standard Bank / Kontant konto vil automatisk blive opdateret i Løn Kassekladde når denne tilstand er valgt. DocType: BOM,Raw Material Cost(Company Currency),Råmaterialeomkostninger (firmavaluta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle varer er allerede blevet overført til denne produktionsordre. +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 +270,Meter,Måler +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,Indtast konto for returbeløb +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1048,7 +1052,7 @@ 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 +259,Qty for {0},Antal for {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1060,9 +1064,9 @@ 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 +638,Attribute table is mandatory,Attributtabellen er obligatorisk +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 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan ikke være negativ +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 DocType: Sales Invoice Item,Rate With Margin,Vurder med margen @@ -1098,7 +1102,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 +1546,ZIP Code,Postnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1116,7 +1120,7 @@ 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 +238,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 +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/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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Venligst sæt 'Anvend Ekstra Rabat på' +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 DocType: Global Defaults,Global Defaults,Globale indstillinger @@ -1148,10 +1152,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 +22,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 +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} 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 +347,Capacity Planning Error,Kapacitetsplanlægningsfejl +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapacitetsplanlægningsfejl ,Trial Balance for Party,Trial Balance til Party DocType: Lead,Consultant,Konsulent DocType: Salary Slip,Earnings,Indtjening @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,Er Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Retur / debetnota DocType: Price List Country,Price List Country,Prislisteland DocType: Item,UOMs,Enheder -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} gyldige serienumre for vare {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gyldige serienumre for vare {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Varenr. kan ikke ændres for Serienummer 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} allerede oprettet for bruger: {1} og selskab {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Conversion Factor @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',Omkostningssted for vare med varenr. ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1221,7 +1225,7 @@ 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,Se kladde 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Vare {0} kan ikke have parti @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,Eksempel: Masters i Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig +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/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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Udstedelsessted apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakt DocType: Email Digest,Add Quote,Tilføj tilbud -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor kræves for Pakke: {0} i Konto: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor kræves for Pakke: {0} i Konto: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Dine produkter eller tjenester +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 DocType: Mode of Payment,Mode of Payment,Betalingsmåde -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse +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 DocType: Purchase Invoice Item,BOM,Stykliste apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dette er en rod-varegruppe og kan ikke redigeres. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Produktionsordre status er {0} DocType: Appraisal Goal,Goal,Goal DocType: Sales Invoice Item,Edit Description,Rediger beskrivelse ,Team Updates,Team opdateringer @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,eksisterer Child lager for dette lager. Du kan ikke slette dette lager. DocType: Item,Website Item Groups,Webside-varegrupper DocType: Purchase Invoice,Total (Company Currency),I alt (firmavaluta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} indtastet mere end én gang +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 +78,{0} items in progress,{0} igangværende varer +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1} +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} 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 @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1405,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,Leveringsadressenavn apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontoplan DocType: Material Request,Terms and Conditions Content,Vilkår og betingelser Indhold apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,må ikke være større end 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Vare {0} er ikke en lagervare +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 DocType: Employee,Owned,Ejet DocType: Salary Detail,Depends on Leave Without Pay,Afhænger af fravær uden løn @@ -1444,7 +1446,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 +273,We buy this Item,Vi køber denne vare +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1455,7 +1457,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 +266,Sub Assemblies,Sub forsamlinger +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub forsamlinger DocType: Asset,Asset Name,Aktivnavn DocType: Project,Task Weight,Opgavevægtning DocType: Shipping Rule Condition,To Value,Til Value @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ingen resultater i Payment tabellen apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Dette {0} konflikter med {1} for {2} {3} DocType: Student Attendance Tool,Students HTML,Studerende HTML DocType: POS Profile,Apply Discount,Anvend rabat -DocType: Purchase Invoice Item,GST HSN Code,GST HSN-kode +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 +283,Packing Slip(s) cancelled,Pakkeseddel (ler) annulleret @@ -1536,8 +1538,8 @@ 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 +2573,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kasse +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 +873,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 @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,tilbagebetaling Metode DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis markeret, vil hjemmesiden være standard varegruppe til hjemmesiden" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Standard stykliste for {0} ikke fundet for sag {1} 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}" @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Ny opgave apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Opret tilbud apps/erpnext/erpnext/config/selling.py +216,Other Reports,Andre rapporter DocType: Dependent Task,Dependent Task,Afhængig opgave -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Måleenhed skal være 1 i række {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Måleenhed skal være 1 i række {0} 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} DocType: SMS Center,Receiver List,Modtageroversigt -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Søg Vare +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Allerede afsluttet +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Kundens POS-id DocType: Account,Account Name,Kontonavn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Fra dato ikke kan være større end til dato -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} mængde {1} kan ikke være en brøkdel +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} mængde {1} kan ikke være en brøkdel apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverandørtype-master. DocType: Purchase Order Item,Supplier Part Number,Leverandør Part Number apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Omregningskurs kan ikke være 0 eller 1 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Køretøj Dispatch Dato +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Standard Betales konto apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Indstillinger for online indkøbskurv, såsom forsendelsesregler, prisliste mv." @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Medtag helligdage i DocType: Sales Invoice,Packed Items,Pakkede varer apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantikrav mod serienummer DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Udskift en bestemt BOM i alle andre styklister, hvor det bruges. Det vil erstatte den gamle BOM linket, opdatere omkostninger og regenerere "BOM Explosion Item" tabel som pr ny BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','I alt' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','I alt' DocType: Shopping Cart Settings,Enable Shopping Cart,Aktiver Indkøbskurv DocType: Employee,Permanent Address,Permanent adresse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ 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 ! DocType: Course Assessment Criteria,Weightage,Vægtning +DocType: Sales 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 @@ -1720,7 +1723,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hoved apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Sæt præfiks for nummerering serie om dine transaktioner DocType: Employee Attendance Tool,Employees HTML,Medarbejdere HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon 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 @@ -1749,7 +1752,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 +175,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 +173,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 @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,Serienummer og partier apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppens styrke apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Mod Kassekladde {0} har ikke nogen uovertruffen {1} indgang apps/erpnext/erpnext/config/hr.py +137,Appraisals,Medarbejdervurderinger -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Doppelte serienumre er indtastet for vare {0} +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" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Stykliste {0} skal godkendes +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Betaling @@ -1785,12 +1788,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Ny kurv +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hent varer fra købskvitteringer DocType: Serial No,Creation Date,Oprettet d. apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Vare {0} forekommer flere gange i prisliste {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Selling skal kontrolleres, om nødvendigt er valgt som {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Selling skal kontrolleres, om nødvendigt er valgt som {0}" DocType: Production Plan Material Request,Material Request Date,Materialeanmodningsdato DocType: Purchase Order Item,Supplier Quotation Item,Leverandør tibudt Varer DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Deaktiverer skabelse af tid logfiler mod produktionsordrer. Operationer må ikke spores mod produktionsordre @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,Leverandør af varer eller tjen DocType: Budget,Fiscal Year,Regnskabsår DocType: Vehicle Log,Fuel Price,Brændstofpris DocType: Budget,Budget,Budget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Anlægsaktiv-varen skal være en ikke-lagervare. +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 +209,e.g. 5,fx 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1846,7 +1849,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,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 +263,A Product or Service,En vare eller tjenesteydelse +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." DocType: Guardian,Guardian Interests,Guardian Interesser DocType: Naming Series,Current Value,Aktuel værdi @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdato (via Tidsregistreringen) 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 +160,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 +342,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto +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 DocType: Shipping Rule Condition,Shipping Amount,Forsendelsesmængde -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Tilføj kunder +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,Tilgodehavender ,Supplier-Wise Sales Analytics,Salgsanalyser pr. leverandør apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Indtast betalt beløb DocType: Salary Structure,Select employees for current Salary Structure,Vælg medarbejdere til denne lønstruktur +DocType: Sales Invoice,Company Address Name,Virksomhedens adresse navn 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)" @@ -1977,7 +1981,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 +269,Unit,Enhed +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -1998,7 +2002,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,beløb Forskel @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klassifikation af kunder efter region apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Forskel Beløb skal være nul DocType: Project,Gross Margin,Gross Margin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Indtast venligst Produktion Vare først +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 +748,Quotation,Tilbud @@ -2019,7 +2023,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Kunde / Emne Adresse -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldigt SSL-certifikat på vedhæftet fil {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldigt SSL-certifikat på vedhæftet fil {0} DocType: Student Admission,Eligibility,Berettigelse apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads hjælpe dig virksomhed, tilføje alle dine kontakter, og flere som din fører" DocType: Production Order Operation,Actual Operation Time,Faktiske Operation Time @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,Beregn Total Score DocType: Request for Quotation,Manufacturing Manager,Produktionschef apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serienummer {0} er under garanti op til {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Opdel følgeseddel i pakker. -apps/erpnext/erpnext/hooks.py +87,Shipments,Forsendelser +apps/erpnext/erpnext/hooks.py +94,Shipments,Forsendelser DocType: Payment Entry,Total Allocated Amount (Company Currency),Samlet tildelte beløb (Company Currency) DocType: Purchase Order Item,To be delivered to customer,Der skal leveres til kunden DocType: BOM,Scrap Material Cost,Skrot materialeomkostninger -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serienummer {0} tilhører ikke noget lager +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serienummer {0} tilhører ikke noget lager DocType: Purchase Invoice,In Words (Company Currency),I Words (Company Valuta) DocType: Asset,Supplier,Leverandør DocType: C-Form,Quarter,Kvarter @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,Medarbejder Lån konto DocType: Leave Application,Total Leave Days,Totalt antal fraværsdage DocType: Email Digest,Note: Email will not be sent to disabled users,Bemærk: E-mail vil ikke blive sendt til deaktiverede brugere apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antal interaktioner -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke 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 +408,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2102,7 +2105,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Udlægsdetalje -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vælg korrekt konto +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT FOR LEVERANDØR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Vælg korrekt konto DocType: Item,Weight UOM,Vægtenhed DocType: Salary Structure Employee,Salary Structure Employee,Lønstruktur medarbejder DocType: Employee,Blood Group,Blood Group @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debet-til skal angives +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Sum ubetalt: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ansættelsesbrev apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Opret materialeanmodninger og produktionsordrer -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Samlet faktureret beløb +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Samlet faktureret beløb DocType: BOM,Conversion Rate,Omregningskurs apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Søg efter vare DocType: Timesheet Detail,To Time,Til Time @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serienumre, der kræves for vare {1}. Du har angivet {2}." +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serienumre, der kræves for vare {1}. Du har angivet {2}." DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuel Værdiansættelse Rate DocType: Item,Customer Item Codes,Kunde varenumre apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gevinst / Tab @@ -2198,7 +2202,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 +2454,Select Batch No,Vælg partinr. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,Tillad brugere DocType: Purchase Order,Customer Mobile No,Kunde mobiltelefonnr. DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spor separat indtægter og omkostninger for produkt- vertikaler eller afdelinger. DocType: Rename Tool,Rename Tool,Omdøb Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Opdatering Omkostninger +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 +438,Show Salary Slip,Vis lønseddel apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vælg ændringsstørrelse konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Tilføj Skatter +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,Købskvitteringsnr. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money DocType: Process Payroll,Create Salary Slip,Opret lønseddel apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporbarhed +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC kode 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 @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vedligeholdelse Skema Detail DocType: Quality Inspection Reading,Reading 9,Reading 9 DocType: Supplier,Is Frozen,Er Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Gruppe node lager er ikke tilladt at vælge for transaktioner +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Gruppe node lager er ikke tilladt at vælge for transaktioner DocType: Buying Settings,Buying Settings,Indkøbsindstillinger DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Styklistenr. for en færdigvare DocType: Upload Attendance,Attendance To Date,Fremmøde tildato @@ -2289,13 +2294,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element." +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.js +153,You can not change rate if BOM mentioned agianst any item,"Du kan ikke ændre kurs, hvis BOM nævnt agianst ethvert element" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Indtast venligst Planned Antal for Item {0} på rækken {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,Autoriseret Værdi DocType: BOM,Show Operations,Vis Operations ,Minutes to First Response for Opportunity,Minutter til første reaktion for salgsmulighed apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Ialt fraværende -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Måleenhed DocType: Fiscal Year,Year End Date,Sidste dag i året DocType: Task Depends On,Task Depends On,Opgave afhænger af @@ -2388,7 +2393,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 +106,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 +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/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 @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage er fuld, ikke spare" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Omkostningssted apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Bilagsnr. DocType: Notification Control,Purchase Order Message,Indkøbsordre meddelelse @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr. +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr. apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,Opgaveafslutning apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ikke på lager DocType: Appraisal,HR User,HR-bruger DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter og Afgifter Fratrukket -apps/erpnext/erpnext/hooks.py +116,Issues,Spørgsmål +apps/erpnext/erpnext/hooks.py +124,Issues,Spørgsmål apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status skal være en af {0} DocType: Sales Invoice,Debit To,Debit Til DocType: Delivery Note,Required only for sample item.,Kræves kun for prøve element. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Område apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Henvis ikke af besøg, der kræves" DocType: Stock Settings,Default Valuation Method,Standard værdiansættelsesmetode +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Betaling DocType: Vehicle Log,Fuel Qty,Brændstofmængde DocType: Production Order Operation,Planned Start Time,Planlagt starttime DocType: Course,Assessment,Vurdering @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,Tilbud {0} er ikke længere gyldigt -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Samlede udestående beløb +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alt salg Transaktioner kan mærkes mod flere ** Sales Personer **, så du kan indstille og overvåge mål." ,S.O. No.,SÅ No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Opret kunde fra emne {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Opret kunde fra emne {0} DocType: Price List,Applicable for Countries,Gældende for lande apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Kun Lad Applikationer med status "Godkendt" og "Afvist" kan indsendes apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Elevgruppenavn er obligatorisk i rækken {0} @@ -2601,6 +2607,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/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 @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materiale Transfer til Fr 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.,Rabat Procent kan anvendes enten mod en prisliste eller for alle prisliste. DocType: Purchase Invoice,Half-yearly,Halvårlig apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Regnskab Punktet om Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Du har allerede vurderet for bedømmelseskriterierne {}. DocType: Vehicle Service,Engine Oil,Motorolie -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: Sales Invoice,Sales Team1,Salgs TEAM1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} eksisterer ikke DocType: Sales Invoice,Customer Address,Kundeadresse @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk enhed / Datterselskab med en separat Kontoplan tilhører organisationen. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Mad, drikke og tobak" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Provisionssats kan ikke være større end 100 DocType: Stock Entry,Subcontract,Underleverance apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Indtast venligst {0} først @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Månedlig Deltagelse Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Medarbejder {0} har allerede ansøgt om {1} mellem {2} og {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Sag startdato -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Indtil +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Indtil DocType: Rename Tool,Rename Log,Omdøb log apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Elevgruppe eller kursusplan er obligatorisk DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Vedligehold faktureringstimer og arbejdstimer i samme tidskladde @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,Returneret Antal DocType: Employee,Exit,Udgang apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Rodtypen er obligatorisk DocType: BOM,Total Cost(Company Currency),Totale omkostninger (firmavaluta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serienummer {0} oprettet +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serienummer {0} oprettet DocType: Homepage,Company Description for website homepage,Firmabeskrivelse til hjemmesiden DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Af hensyn til kunderne, kan disse koder bruges i udskriftsformater ligesom fakturaer og følgesedler" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Navn @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kursusskema udgår: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs for opretholdelse sms leveringsstatus DocType: Accounts Settings,Make Payment via Journal Entry,Foretag betaling via kassekladden -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Trykt On +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Trykt On DocType: Item,Inspection Required before Delivery,Kontrol påkrævet før levering DocType: Item,Inspection Required before Purchase,Kontrol påkrævet før køb apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Afventende aktiviteter @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elevgruppe 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/stock/doctype/item/item.py +468,"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}" +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) +DocType: Sales Invoice,Invoice Copy,Faktura kopi apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serienummer {0} eksisterer ikke DocType: Sales Invoice Item,Customer Warehouse (Optional),Kundelager (valgfrit) DocType: Pricing Rule,Discount Percentage,Discount Procent @@ -2823,8 +2831,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto tæt Issue efter 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}","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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Frys Stock Entries +DocType: Program Enrollment,Boarding Student,Boarding Student DocType: Asset,Expected Value After Useful Life,Forventet værdi efter forventet brugstid DocType: Item,Reorder level based on Warehouse,Genbestil niveau baseret på Warehouse DocType: Activity Cost,Billing Rate,Faktureringssats @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vælg studerende manuelt for aktivitetsbaseret gruppe DocType: Journal Entry,User Remark,Brugerbemærkning DocType: Lead,Market Segment,Markedssegment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,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} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serienummer {0} ikke er på lager +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 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} stemmer ikke overens med firma {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,Tilføj et par prøve optegnelser +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2893,17 +2903,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serienummer og parti DocType: Warranty Claim,From Company,Fra firma -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summen af Snesevis af Assessment Criteria skal være {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summen af Snesevis af Assessment Criteria skal være {0}. 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 +270,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank kassekredit apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Opret lønseddel apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Allokeret beløb kan ikke være større end udestående beløb. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Gennemse styklister +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Gennemse styklister apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Sikrede lån DocType: Purchase Invoice,Edit Posting Date and Time,Redigér bogføringsdato og -tid apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Venligst sæt Afskrivninger relaterede konti i Asset kategori {0} eller Company {1} @@ -2939,7 +2949,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 +278,Select Quantity,Vælg antal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Ikke tilladt at opdatere lagertransaktioner ældre end {0} DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Fuldt Billed +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/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Kassebeholdning apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +127,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) @@ -2999,8 +3010,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Total Costing Beløb (via 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 DocType: Customs Tariff Number,Tariff Number,Tarif nummer +DocType: Production Order Item,Available Qty at WIP Warehouse,Tilgængelig antal på WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Forventet -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serienummer {0} hører ikke til lager {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serienummer {0} hører ikke til lager {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,Bemærk: Systemet vil ikke kontrollere over-levering og over-booking for Item {0} som mængde eller beløb er 0 DocType: Notification Control,Quotation Message,Tilbudsbesked DocType: Employee Loan,Employee Loan Application,Medarbejder låneansøgning @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløb apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Regninger oprettet af leverandører. DocType: POS Profile,Write Off Account,Skriv Off konto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debet notat Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debet notat Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabatbeløb DocType: Purchase Invoice,Return Against Purchase Invoice,Retur Against købsfaktura 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 +207,e.g. VAT,fx moms +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3032,7 +3044,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 +1945,Please select customer,Vælg venligst kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,Adresse apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party er obligatorisk DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Emnenavn -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Mindst en af salg eller køb skal vælges +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Mindst en af salg eller køb skal vælges apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vælg arten af din virksomhed. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Duplicate entry i Referencer {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvor fremstillingsprocesser gennemføres. @@ -3070,7 +3082,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Antal kan ikke være større end Max Antal +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 DocType: Account,Accumulated Depreciation,Akkumulerede afskrivninger DocType: Stock Entry,Customer or Supplier Details,Kunde- eller leverandørdetaljer DocType: Employee Loan Application,Required by Date,Kræves af Dato @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Indkøbsordre apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firmaets navn kan ikke være Firma apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Brevhoveder til udskriftsskabeloner. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tekster til udskriftsskabeloner fx Proforma-faktura. +DocType: Program Enrollment,Walking,gåture DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Værdiansættelse typen omkostninger ikke er markeret som Inclusive DocType: POS Profile,Update Stock,Opdatering Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Forskellige UOM for elementer vil føre til forkert (Total) Vægt værdi. Sørg for, at Nettovægt for hvert punkt er i den samme UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Kassekladde til skrot @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Vis momsdetaljer apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Standard Kontant konto apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) herre. 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 +176,No Students in,Ingen studerende i +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 +108,Please enter 'Expected Delivery Date',Indtast 'Forventet leveringsdato' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Indtast NA for Uregistreret +apps/erpnext/erpnext/regional/india/utils.py +14,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 @@ -3210,22 +3221,24 @@ DocType: Sales Team,Contribution (%),Bidrag (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Bemærk: Betaling indtastning vil ikke blive oprettet siden 'Kontant eller bank konto' er ikke angivet apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Ansvar DocType: Expense Claim Account,Expense Claim Account,Udlægskonto +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series DocType: Sales Person,Sales Person Name,Salgsmedarbejdernavn apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Indtast venligst mindst en faktura i tabellen +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Tilføj brugere DocType: POS Item Group,Item Group,Varegruppe DocType: Item,Safety Stock,Sikkerhed Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Fremskridt-% for en opgave kan ikke være mere end 100. DocType: Stock Reconciliation Item,Before reconciliation,Før forsoning apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter og Afgifter Tilføjet (Company Valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Varemoms række {0} skal have en konto med +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Varemoms række {0} skal have en konto med typen moms, indtægt, omkostning eller kan debiteres" DocType: Sales Order,Partly Billed,Delvist faktureret apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Vare {0} skal være en anlægsaktiv-vare DocType: Item,Default BOM,Standard stykliste -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debet Note Beløb +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debet Note Beløb apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prøv venligst igen typen firmanavn for at bekræfte -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total Enestående Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total Enestående Amt DocType: Journal Entry,Printing Settings,Udskrivningsindstillinger DocType: Sales Invoice,Include Payment (POS),Medtag betaling (Kassesystem) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Debet og kredit stemmer ikke. Differencen er {0} @@ -3233,19 +3246,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Forsikringsselskab DocType: Asset Category Account,Fixed Asset Account,Anlægsaktivkonto apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabel -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Fra følgeseddel +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Fra følgeseddel DocType: Student,Student Email Address,Studerende e-mailadresse DocType: Timesheet Detail,From Time,Fra Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,På lager: DocType: Notification Control,Custom Message,Tilpasset Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto skal indtastes for post -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> Nummerserie apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse 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 +1517,Address Name,Adresse Navn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3262,7 +3274,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3270,7 +3282,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu DocType: Purchase Invoice,Print Language,print Sprog DocType: Salary Slip,Total Working Hours,Samlede arbejdstid DocType: Stock Entry,Including items for sub assemblies,Herunder elementer til sub forsamlinger -apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Indtast værdien skal være positiv +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3279,7 +3291,7 @@ 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 -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Anmodning om tilbud +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Anmodning om tilbud DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalt fakturabeløb DocType: Student Language,Student Language,Student Sprog apps/erpnext/erpnext/config/selling.py +23,Customers,Kunder @@ -3289,7 +3301,7 @@ DocType: Asset,Partially Depreciated,Delvist afskrevet DocType: Issue,Opening Time,Åbning tid apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Fra og Til dato kræves apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Værdipapirer og Commodity Exchanges -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille @@ -3307,7 +3319,7 @@ 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 +266,Raw Material,Råmateriale +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3319,7 +3331,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Åbning Dato bør være, før Closing Dato" -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series 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." @@ -3331,8 +3342,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serienummer påkrævet for serienummervare {0} +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/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 DocType: Journal Entry,Bank Entry,Bank indtastning DocType: Authorization Rule,Applicable To (Designation),Gælder for (Betegnelse) @@ -3349,7 +3360,7 @@ 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 +270,Hour,Time +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3359,7 +3370,7 @@ 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 +645,Point of Sale,Kassesystem +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3374,8 +3385,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3400,14 +3411,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 +465,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 +466,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 +834,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 +835,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 @@ -3439,7 +3450,7 @@ 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 +436,Warehouse required for stock Item {0},Lager kræves for lagervare {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Anvendes ikke @@ -3486,7 +3497,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Indstillinger for websted hjemmeside 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 +214,Invalid attribute {0} {1},Ugyldig attribut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vælg venligst vurderingsgruppen bortset fra 'Alle vurderingsgrupper' @@ -3584,16 +3595,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Lønarter DocType: Program Enrollment Tool,New Academic Year,Nyt skoleår apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retur / kreditnota DocType: Stock Settings,Auto insert Price List rate if missing,"Auto insert Prisliste sats, hvis der mangler" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Samlet indbetalt beløb +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Samlet indbetalt beløb DocType: Production Order Item,Transferred Qty,Overført antal apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigering apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlægning 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 +272,We sell this Item,Vi sælger denne vare +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3641,7 +3654,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 +1186,Please set Company,Angiv venligst firma +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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å @@ -3657,13 +3670,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,"I Ord 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Stregkode {0} allerede brugt i vare {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Stregkode {0} allerede brugt i vare {1} DocType: Lead,Add to calendar on this date,Føj til kalender på denne dato apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler for at tilføje forsendelsesomkostninger. DocType: Item,Opening Stock,Åbning Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunde skal angives apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} er obligatorisk for Return DocType: Purchase Order,To Receive,At Modtage +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personlig e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Samlet Varians DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktiveret, vil systemet sende bogføring for opgørelse automatisk." @@ -3674,7 +3688,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 +541,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 +542,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 @@ -3682,7 +3696,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Garanti udløbet DocType: BOM Replace Tool,Replace,Udskift apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ingen produkter fundet. -DocType: Production Order,Unstopped,oplades apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} mod salgsfaktura {1} DocType: Sales Invoice,SINV-,SF- DocType: Request for Quotation Item,Project Name,Sagsnavn @@ -3693,6 +3706,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} 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 @@ -3729,9 +3743,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Fra Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Syntaks fejl i formel eller tilstand: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daglige arbejde Resumé Indstillinger Firma -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Vare {0} ignoreres, da det ikke er en lagervare" +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 +40,Submit this Production Order for further processing.,Indsend denne produktionsordre til videre forarbejdning. +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/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 @@ -3739,12 +3753,14 @@ 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 +209,Rate (%),Sats (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Indstil Firmafilter blankt, hvis Group By er 'Company'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Bogføringsdato kan ikke være en fremtidig dato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Række # {0}: serienummer {1} matcher ikke med {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3773,7 +3789,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Lagerpost apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Vare {0} er ikke opsat til serienumre. Kolonnen skal være tom +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 @@ -3788,7 +3804,7 @@ 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 +62,{0} items produced,{0} varer produceret +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3802,7 +3818,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,Vekselkurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3827,18 +3843,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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 DocType: Employee Loan,Repay Fixed Amount per Period,Tilbagebetale fast beløb pr Periode apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Indtast mængde for vare {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditnota Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreditnota Amt DocType: Employee External Work History,Employee External Work History,Medarbejder Ekstern Work History DocType: Tax Rule,Purchase,Indkøb apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Antal @@ -3863,7 +3879,7 @@ 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 +2383,Select items to save the invoice,Vælg elementer for at gemme fakturaen +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3892,6 +3908,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,Grænseværdi DocType: BOM Replace Tool,Current BOM,Aktuel stykliste apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Tilføj serienummer +DocType: Production Order Item,Available Qty at Source Warehouse,Tilgængelig mængde på Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Debit Note Udstedt DocType: Production Order,Warehouses,Lagre @@ -3907,13 +3924,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Beløb betalt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektleder ,Quoted Item Comparison,Sammenligning Citeret Vare apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimal rabat tilladt for vare: {0} er {1}% +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 +279,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 +879,Select Items to Manufacture,Vælg varer til Produktion -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid" +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" DocType: Item,Material Issue,Materiale Issue DocType: Hub Settings,Seller Description,Sælger Beskrivelse DocType: Employee Education,Qualification,Kvalifikation @@ -3937,7 +3954,7 @@ DocType: POS Profile,Terms and Conditions,Betingelser 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 +200,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 +198,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 @@ -3957,7 +3974,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","For at indstille dette regnskabsår som standard, skal du klikke på 'Vælg som standard'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Tilslutte apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Mangel Antal -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter DocType: Employee Loan,Repay from Salary,Tilbagebetale fra Løn DocType: Leave Application,LAP/,SKØD/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Anmodning betaling mod {0} {1} for beløb {2} @@ -3975,18 +3992,18 @@ 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 +1011,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serienummer {0} er allerede blevet modtaget +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serienummer {0} er allerede blevet modtaget ,Requested Items To Be Transferred,"Anmodet Varer, der skal overføres" 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 +1312,Delete permanently?,Slet permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Ugyldig {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ugyldig {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sygefravær DocType: Email Digest,Email Digest,E-mail nyhedsbrev DocType: Delivery Note,Billing Address Name,Faktureringsadressenavn @@ -3999,6 +4016,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Gebyr DocType: Company,Change Abbreviation,Skift Forkortelse DocType: Expense Claim Detail,Expense Date,Udlægsdato +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke DocType: Item,Max Discount (%),Maksimal rabat (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Sidste ordrebeløb DocType: Task,Is Milestone,Er Milestone @@ -4022,8 +4040,8 @@ DocType: Program Enrollment Tool,New Program,nyt Program DocType: Item Attribute Value,Attribute Value,Attribut Værdi ,Itemwise Recommended Reorder Level,Itemwise Anbefalet genbestillings Level DocType: Salary Detail,Salary Detail,Løn Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vælg {0} først -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} af varer {1} er udløbet. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,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 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidsregistrering til Produktion. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal @@ -4048,12 +4066,12 @@ 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 +399,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 +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/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 +387,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 +382,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 @@ -4083,7 +4101,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Salgsdato DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mails vil blive sendt til alle aktive medarbejdere i selskabet ved den givne time, hvis de ikke har ferie. Sammenfatning af svarene vil blive sendt ved midnat." DocType: Employee Leave Approver,Employee Leave Approver,Medarbejder Leave Godkender -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklæres tabt, fordi tilbud er afgivet." 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 @@ -4116,6 +4134,7 @@ DocType: Announcement,Student,Studerende apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organisationsenheds-master. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Indtast venligst gyldige mobiltelefonnumre apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Indtast venligst en meddelelse, før du sender" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLIKATE FOR LEVERANDØR DocType: Email Digest,Pending Quotations,Afventende tilbud apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Kassesystemprofil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Opdatér venligst SMS-indstillinger @@ -4124,7 +4143,7 @@ DocType: Cost Center,Cost Center Name,Omkostningsstednavn DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max arbejdstid mod Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Planlagt dato -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total Betalt Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total Betalt Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Beskeder større end 160 tegn vil blive opdelt i flere meddelelser DocType: Purchase Receipt Item,Received and Accepted,Modtaget og accepteret ,GST Itemised Sales Register,GST Itemized Sales Register @@ -4134,7 +4153,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 +237,Your Suppliers,Dine Leverandører +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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 ' @@ -4146,7 +4165,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Billede {0} er knyttet til Vare {1} kan ikke findes +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. @@ -4161,7 +4180,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hvad gør de 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'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/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 DocType: School House,House Name,Husnavn @@ -4177,7 +4196,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 +339,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 +340,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 @@ -4192,20 +4211,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Medarbejder {0} lønseddel er allerede overført til tidsregistreringskladde {1} DocType: Vehicle Log,Odometer,kilometertæller DocType: Sales Order Item,Ordered Qty,Bestilt antal -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Vare {0} er deaktiveret +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generer lønsedler -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Indkøb skal kontrolleres, om nødvendigt er valgt som {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Indkøb skal kontrolleres, om nødvendigt er valgt som {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabat skal være mindre end 100 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 +500,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher @@ -4264,7 +4283,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Forventet dato kan ikke være før materialeanmodningsdatoen DocType: Purchase Invoice Item,Stock Qty,Antal på lager -DocType: Production Order,Source Warehouse (for reserving Items),Kilde Warehouse (for at reservere Items) DocType: Employee Loan,Repayment Period in Months,Tilbagebetaling Periode i måneder apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fejl: Ikke et gyldigt id? DocType: Naming Series,Update Series Number,Opdatering Series Number @@ -4312,7 +4330,7 @@ DocType: Production Order,Planned End Date,Planlagt slutdato apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Hvor varer er på lager. DocType: Request for Quotation,Supplier Detail,Leverandør Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Fejl i formel eller betingelse: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Faktureret beløb +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Faktureret beløb DocType: Attendance,Attendance,Fremmøde apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Lagervarer DocType: BOM,Materials,Materialer @@ -4352,10 +4370,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Opsæt en simpel hjemmeside for mit firma +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0} DocType: Item,Default Warehouse,Standard-lager apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kan ikke tildeles mod Group konto {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Indtast overordnet omkostningssted @@ -4414,7 +4432,7 @@ DocType: Student,Nationality,Nationalitet ,Items To Be Requested,Varer til bestilling DocType: Purchase Order,Get Last Purchase Rate,Få Sidste Purchase Rate DocType: Company,Company Info,Firmainformation -apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Vælg eller tilføj ny kunde +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/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 @@ -4422,6 +4440,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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. @@ -4444,7 +4463,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Bilagstype -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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" @@ -4464,7 +4483,7 @@ DocType: POS Profile,Account for Change Amount,Konto for returbeløb apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Række {0}: Party / Konto matcher ikke med {1} / {2} i {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Indtast venligst udgiftskonto DocType: Account,Stock,Lager -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: referencedokument Type skal være en af indkøbsordre, købsfaktura eller Kassekladde" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: referencedokument Type skal være en af indkøbsordre, købsfaktura eller Kassekladde" DocType: Employee,Current Address,Nuværende adresse DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Hvis varen er en variant af et andet element derefter beskrivelse, billede, prissætning, skatter mv vil blive fastsat fra skabelonen medmindre det udtrykkeligt er angivet" DocType: Serial No,Purchase / Manufacture Details,Indkøbs- og produktionsdetaljer @@ -4502,11 +4521,12 @@ DocType: Student,Home Address,Hjemmeadresse apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset DocType: POS Profile,POS Profile,Kassesystemprofil DocType: Training Event,Event Name,begivenhed Navn -apps/erpnext/erpnext/config/schools.py +39,Admission,Adgang +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Adgang apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Indlæggelser for {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Vare {0} er en skabelon, skal du vælge en af dens varianter" DocType: Asset,Asset Category,Asset Kategori +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Indkøber apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettoløn kan ikke være negativ DocType: SMS Settings,Static Parameters,Statiske parametre DocType: Assessment Plan,Room,Værelse @@ -4515,6 +4535,7 @@ DocType: Item,Item Tax,Varemoms apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale til leverandøren apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Expense Claim,Employees Email Id,Medarbejdere Email Id DocType: Employee Attendance Tool,Marked Attendance,Markant Deltagelse apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kortfristede forpligtelser @@ -4586,6 +4607,7 @@ DocType: Leave Type,Is Carry Forward,Er Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Summary diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv index a0c380fa3b..f84645b075 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 +194,"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 +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 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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Urlaubsübersicht -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Buchhalter +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Buchhalter DocType: Cost Center,Stock User,Benutzer Lager DocType: Company,Phone No,Telefonnummer apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kurstermine erstellt: @@ -110,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} 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nicht zulässig für {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Holen Sie Elemente aus -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nicht Artikel gefunden +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Auf Berichte DocType: Warehouse,Warehouse Detail,Lagerdetail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditlimit für Kunde {0} {1}/{2} wurde überschritten 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.,Der Begriff Enddatum kann nicht später sein als das Jahr Enddatum des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Von {0} bis {1} DocType: Item,Copy From Item Group,Von Artikelgruppe kopieren DocType: Journal Entry,Opening Entry,Eröffnungsbuchung -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundengruppe> Territorium apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto Pay Nur DocType: Employee Loan,Repay Over Number of Periods,Repay über Anzahl der Perioden DocType: Stock Entry,Additional Costs,Zusätzliche Kosten @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Immobilien -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoauszug +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 DocType: Purchase Invoice Item,Is Fixed Asset,Ist Anlagevermögen apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Verfügbare Menge ist {0}, müssen Sie {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Verbrauchsgut +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,12 +211,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Beispiel: Basismathematik +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/config/hr.py +214,Settings for HR Module,Einstellungen für das Personal-Modul DocType: SMS Center,SMS Center,SMS-Center @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Artikel und Preise apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Stundenzahl: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},"Von-Datum sollte im Geschäftsjahr liegen. Unter der Annahme, Von-Datum = {0}" +apps/erpnext/erpnext/hooks.py +87,Quotes,Zitate DocType: Customer,Individual,Einzelperson DocType: Interest,Academics User,Lehre Benutzer DocType: Cheque Print Template,Amount In Figure,Betrag In Abbildung @@ -264,7 +265,7 @@ DocType: Employee,Create User,Benutzer erstellen DocType: Selling Settings,Default Territory,Standardregion apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Fernsehen DocType: Production Order Operation,Updated via 'Time Log',"Aktualisiert über ""Zeitprotokoll""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Anzahlung kann nicht größer sein als {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Anzahlung kann nicht größer sein als {0} {1} DocType: Naming Series,Series List for this Transaction,Nummernkreise zu diesem Vorgang DocType: Company,Enable Perpetual Inventory,Enable Perpetual Inventory aktivieren DocType: Company,Default Payroll Payable Account,Standardabrechnungskreditorenkonto @@ -272,7 +273,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 +177,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 +175,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." @@ -280,13 +281,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 +2256,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Ansprechpartner +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Freitstellungsdatum muss nach dem Eintrittsdatum liegen apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Abwesenheiten pro Jahr 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 +189,Warehouse {0} does not belong to company {1},Lager {0} gehört nicht zu Firma {1} +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 +270,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank-Einträge apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Jährlich DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bestandsabgleich-Artikel @@ -314,7 +315,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 +316,People who teach at your organisation,"Menschen, die in Ihrer Organisation lehren" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Benutzer darf Rate bearbeiten 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 +699,Item {0} is cancelled,Artikel {0} wird storniert +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 +882,Material Request,Materialanfrage DocType: Bank Reconciliation,Update Clearance Date,Abwicklungsdatum aktualisieren DocType: Item,Purchase Details,Einkaufsdetails @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Flottenmanager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} in Artikelsteuer doppelt eingegeben +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} in Artikelsteuer doppelt eingegeben apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Zusammenfassung für diese Woche und anstehende Aktivitäten DocType: Student Applicant,Admitted,Zugelassen DocType: Workstation,Rent Cost,Mietkosten @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% erhalten apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Erstellen Studentengruppen apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Einrichtungsvorgang bereits abgeschlossen!! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Gutschriftbetrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Gutschriftbetrag ,Finished Goods,Fertigerzeugnisse DocType: Delivery Note,Instructions,Anweisungen DocType: Quality Inspection,Inspected By,Geprüft von @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Erstellen Sie einen neuen Kunden +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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 Anwesenheit über Setup> Nummerierung ein apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Erstellen von Bestellungen ,Purchase Register,Übersicht über Einkäufe DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,7 +470,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 +330,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 +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in Attributetabelle ausgewäht +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in Attributetabelle ausgewäht DocType: HR Settings,Employee record is created using selected field. ,Mitarbeiter-Datensatz wird erstellt anhand des ausgewählten Feldes. DocType: Sales Order,Not Applicable,Nicht anwenden apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Stammdaten zum Urlaub @@ -523,7 +525,7 @@ 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 +219,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 +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/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." @@ -537,7 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Bitte das Lager eingeben, für das eine Materialanfrage erhoben wird" DocType: Production Order,Additional Operating Cost,Zusätzliche Betriebskosten apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Um zwei Produkte zusammenzuführen, müssen folgende Eigenschaften für beide Produkte gleich sein" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Um zwei Produkte zusammenzuführen, müssen folgende Eigenschaften für beide Produkte gleich sein" DocType: Shipping Rule,Net Weight,Nettogewicht DocType: Employee,Emergency Phone,Notruf apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kaufen @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben DocType: Purchase Invoice,Supplier Invoice No,Lieferantenrechnungsnr. DocType: Territory,For reference,Zu Referenzzwecken -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Die Seriennummer {0} kann nicht gelöscht werden, da sie in Lagertransaktionen verwendet wird" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Die Seriennummer {0} kann nicht gelöscht werden, da sie in Lagertransaktionen verwendet wird" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Schlußstand (Haben) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Element verschieben DocType: Serial No,Warranty Period (Days),Garantiefrist (Tage) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Bitte zuerst Firma und Gruppentyp auswählen apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanz-/Rechnungsjahr apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Kumulierte Werte -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Verzeihung! Seriennummern können nicht zusammengeführt werden," +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Verzeihung! Seriennummern können nicht zusammengeführt werden," apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Kundenauftrag erstellen DocType: Project Task,Project Task,Projektvorgang ,Lead Id,Lead-ID @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Zuweisen apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Rücklieferung 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,Hinweis: Die aufteilbaren Gesamt Blätter {0} sollte nicht kleiner sein als bereits genehmigt Blätter {1} für den Zeitraum +,Total Stock Summary,Gesamt Stock Zusammenfassung DocType: Announcement,Posted By,Geschrieben von DocType: Item,Delivered by Supplier (Drop Ship),durch Lieferanten geliefert (Streckengeschäft) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Datenbank potentieller Kunden. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kundendatenbank DocType: Quotation,Quotation To,Angebot für DocType: Lead,Middle Income,Mittleres Einkommen apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Anfangssstand (Haben) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Die Standard-Maßeinheit für Artikel {0} kann nicht direkt geändert werden, weil Sie bereits einige Transaktionen mit einer anderen Maßeinheit durchgeführt haben. Sie müssen einen neuen Artikel erstellen, um eine andere Standard-Maßeinheit verwenden zukönnen." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Die Standard-Maßeinheit für Artikel {0} kann nicht direkt geändert werden, weil Sie bereits einige Transaktionen mit einer anderen Maßeinheit durchgeführt haben. Sie müssen einen neuen Artikel erstellen, um eine andere Standard-Maßeinheit verwenden zukönnen." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Zugewiesene Menge kann nicht negativ sein apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Bitte setzen Sie das Unternehmen DocType: Purchase Order Item,Billed Amt,Rechnungsbetrag @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Stämme DocType: Assessment Plan,Maximum Assessment Score,Maximale Beurteilung Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update-Bankgeschäftstermine apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Zeiterfassung +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKAT FÜR TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Geschäftsjahr Firma DocType: Packing Slip Item,DN Detail,DN-Detail DocType: Training Event,Conference,Konferenz @@ -674,8 +678,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 +320,Timesheet created:,Timesheet erstellt: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -704,7 +708,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 +139,Finish,Fertig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Fertig apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Base DocType: Timesheet,Total Billed Hours,Insgesamt Angekündigt Stunden DocType: Journal Entry,Write Off Amount,Abschreibungs-Betrag @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Stadt des Verkäufers ,Absent Student Report,Abwesend Student Report DocType: Email Digest,Next email will be sent on:,Nächste E-Mail wird gesendet am: DocType: Offer Letter Term,Offer Letter Term,Gültigkeit des Angebotsschreibens -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Artikel hat Varianten. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Artikel hat Varianten. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Artikel {0} nicht gefunden DocType: Bin,Stock Value,Lagerwert apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Gesellschaft {0} existiert nicht @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,Machen Sie Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -846,13 +850,13 @@ 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 DocType: Request for Quotation Supplier,Send Email,E-Mail absenden -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Warnung: Ungültige Anlage {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Keine Berechtigung +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Warnung: Ungültige Anlage {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Keine Berechtigung 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 +269,Nos,Stk +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -871,7 +875,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen +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/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 @@ -959,14 +963,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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 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 +543,BOM {0} must be active,Stückliste {0} muss aktiv sein +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Seriennummer {0} gehört nicht zu Artikel {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Seriennummer {0} gehört nicht zu Artikel {1} DocType: Purchase Receipt Item Supplied,Required Qty,Erforderliche Anzahl apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Lagerhäuser mit bestehenden Transaktion kann nicht in Ledger umgewandelt werden. DocType: Bank Reconciliation,Total Amount,Gesamtsumme @@ -983,7 +987,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Komponenten apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Bitte geben Sie Anlagekategorie in Artikel {0} DocType: Quality Inspection Reading,Reading 6,Ablesewert 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kann nicht {0} {1} {2} ohne negative ausstehende Rechnung +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Kann nicht {0} {1} {2} ohne negative ausstehende Rechnung DocType: Purchase Invoice Advance,Purchase Invoice Advance,Vorkasse zur Eingangsrechnung DocType: Hub Settings,Sync Now,Jetzt synchronisieren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Zeile {0}: Habenbuchung kann nicht mit ein(em) {1} verknüpft werden @@ -997,12 +1001,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 +731,New Sales Invoice,Neue Ausgangsrechnung +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline-Rechnungen +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1035,9 +1039,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemische Industrie DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Standard Bank / Geldkonto wird automatisch in Gehalts Journal Entry aktualisiert werden, wenn dieser Modus ausgewählt ist." DocType: BOM,Raw Material Cost(Company Currency),Rohstoffkosten (Gesellschaft Währung) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle Artikel wurden schon für diesen Fertigungsauftrag übernommen. +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 +270,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1059,7 +1063,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 +452,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1067,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,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 +259,Qty for {0},Menge für {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1079,9 +1083,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Bar-/Bankkonto apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Bitte geben Sie eine {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Artikel wurden ohne Veränderung der Menge oder des Wertes entfernt. DocType: Delivery Note,Delivery To,Lieferung an -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributtabelle ist zwingend erforderlich +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Attributtabelle ist zwingend erforderlich DocType: Production Planning Tool,Get Sales Orders,Kundenaufträge aufrufen -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kann nicht negativ sein +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kann nicht negativ sein apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabatt DocType: Asset,Total Number of Depreciations,Gesamtzahl der abschreibungen DocType: Sales Invoice Item,Rate With Margin,Bewerten Sie mit Margin @@ -1117,7 +1121,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 +1546,ZIP Code,Postleitzahl +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1135,7 +1139,7 @@ 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 +238,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 +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/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 @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',"Bitte ""Zusätzlichen Rabatt anwenden auf"" aktivieren" +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 DocType: Global Defaults,Global Defaults,Allgemeine Voreinstellungen @@ -1167,10 +1171,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 +22,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 +23,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 +347,Capacity Planning Error,Fehler in der Kapazitätsplanung +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,Ist Rückgabe apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} gültige Seriennummern für Artikel {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gültige Seriennummern für Artikel {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Artikelnummer kann nicht für Seriennummer geändert werden apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},Verkaufsstellen-Profil {0} bereits für Benutzer: {1} und Firma {2} angelegt DocType: Sales Invoice Item,UOM Conversion Factor,Maßeinheit-Umrechnungsfaktor @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Kostenstelle für den Artikel mit der Artikel-Nr. -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1240,7 +1244,7 @@ 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,Hauptbuch anzeigen 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Der Artikel {0} kann keine Charge haben @@ -1268,7 +1272,7 @@ 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 +288,Example: Masters in Computer Science,Beispiel: Master in Informatik +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1279,7 +1283,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Kundenauftrag {0} ist nicht gültig +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/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} \ @@ -1297,14 +1301,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Ausgabeort apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Vertrag DocType: Email Digest,Add Quote,Angebot hinzufügen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Maßeinheit-Umrechnungsfaktor ist erforderlich für Maßeinheit: {0} bei Artikel: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Maßeinheit-Umrechnungsfaktor ist erforderlich für Maßeinheit: {0} bei Artikel: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ihre Produkte oder Dienstleistungen +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 DocType: Mode of Payment,Mode of Payment,Zahlungsweise -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein +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 DocType: Purchase Invoice Item,BOM,Stückliste apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dies ist eine Root-Artikelgruppe und kann nicht bearbeitet werden. @@ -1321,14 +1325,13 @@ 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 +562,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status des Fertigungsauftrags lautet {0} DocType: Appraisal Goal,Goal,Ziel DocType: Sales Invoice Item,Edit Description,Beschreibung bearbeiten ,Team Updates,Team-Updates @@ -1344,14 +1347,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderlager existiert für dieses Lager. Sie können diese Lager nicht löschen. DocType: Item,Website Item Groups,Webseiten-Artikelgruppen DocType: Purchase Invoice,Total (Company Currency),Gesamtsumme (Firmenwährung) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Seriennummer {0} wurde mehrfach erfasst +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 +78,{0} items in progress,{0} Elemente in Bearbeitung +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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 @@ -1409,7 +1412,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1424,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1432,7 +1434,7 @@ DocType: Sales Invoice,Shipping Address Name,Lieferadresse Bezeichnung apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontenplan DocType: Material Request,Terms and Conditions Content,Allgemeine Geschäftsbedingungen Inhalt apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,Kann nicht größer als 100 sein -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Artikel {0} ist kein Lagerartikel +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Artikel {0} ist kein Lagerartikel DocType: Maintenance Visit,Unscheduled,Außerplanmäßig DocType: Employee,Owned,Im Besitz von DocType: Salary Detail,Depends on Leave Without Pay,Hängt von unbezahltem Urlaub ab @@ -1463,7 +1465,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 +273,We buy this Item,Wir kaufen diesen Artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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. @@ -1474,7 +1476,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 +266,Sub Assemblies,Unterbaugruppen +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Unterbaugruppen DocType: Asset,Asset Name,Asset-Name DocType: Project,Task Weight,Vorgangsgewichtung DocType: Shipping Rule Condition,To Value,Bis-Wert @@ -1507,12 +1509,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,"Keine Datensätze in der Tabelle ""Zahlungen"" gefunden" apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Diese {0} Konflikte mit {1} von {2} {3} DocType: Student Attendance Tool,Students HTML,Studenten HTML DocType: POS Profile,Apply Discount,Rabatt anwenden -DocType: Purchase Invoice Item,GST HSN Code,GST HSN Code +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 +283,Packing Slip(s) cancelled,Packzettel storniert @@ -1555,8 +1557,8 @@ 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 +2573,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 +269,Box,Kiste +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 +873,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 @@ -1585,7 +1587,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Rückzahlweg DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Wenn diese Option aktiviert, wird die Startseite der Standardartikelgruppe für die Website sein" DocType: Quality Inspection Reading,Reading 4,Ablesewert 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Standardstückliste für {0} nicht für das Projekt gefunden {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Ansprüche auf Kostenübernahme durch das Unternehmen 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} @@ -1602,29 +1603,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Neuer Vorgang apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Angebot erstellen apps/erpnext/erpnext/config/selling.py +216,Other Reports,Weitere Berichte DocType: Dependent Task,Dependent Task,Abhängiger Vorgang -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standardmaßeinheit muss in Zeile {0} 1 sein +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standardmaßeinheit muss in Zeile {0} 1 sein 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} DocType: SMS Center,Receiver List,Empfängerliste -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Suche Artikel +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Schon erledigt +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/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 +263,Quantity must not be more than {0},Menge darf nicht mehr als {0} sein +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Kunden-POS-ID DocType: Account,Account Name,Kontenname apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Von-Datum kann später liegen als Bis-Datum -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} mit Menge {1} kann nicht eine Teilmenge sein +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} mit Menge {1} kann nicht eine Teilmenge sein apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Stammdaten zum Lieferantentyp DocType: Purchase Order Item,Supplier Part Number,Lieferanten-Artikelnummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Umrechnungskurs kann nicht 0 oder 1 sein @@ -1632,6 +1633,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Datum des Versands mit dem Fahrzeug +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Standard-Verbindlichkeitenkonto apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Einstellungen zum Warenkorb, z.B. Versandregeln, Preislisten usw." @@ -1685,7 +1687,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Urlaube innerhalb v DocType: Sales Invoice,Packed Items,Verpackte Artikel apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantieantrag zu Serien-Nr. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Eine bestimmte Stückliste in allen anderen Stücklisten austauschen, in denen sie eingesetzt wird. Ersetzt die Verknüpfung zur alten Stücklisten, aktualisiert die Kosten und erstellt die Tabelle ""Stücklistenerweiterung Artikel"" nach der neuen Stückliste" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Gesamtbetrag' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Gesamtbetrag' DocType: Shopping Cart Settings,Enable Shopping Cart,Warenkorb aktivieren DocType: Employee,Permanent Address,Feste Adresse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1720,6 +1722,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Gewichtung +DocType: Sales 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 @@ -1739,7 +1742,7 @@ DocType: Purchase Invoice,Notification Email Address,Benachrichtigungs-E-Mail-Ad ,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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1755,7 +1758,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Haupt apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante DocType: Naming Series,Set prefix for numbering series on your transactions,Präfix für die Seriennummerierung Ihrer Transaktionen festlegen DocType: Employee Attendance Tool,Employees HTML,Mitarbeiter HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein 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 @@ -1768,7 +1771,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 +175,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 +173,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 @@ -1776,7 +1779,7 @@ DocType: Item,Serial Nos and Batches,Seriennummern und Chargen apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Schülergruppenstärke apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,"""Zu Buchungssatz"" {0} hat nur abgeglichene {1} Buchungen" apps/erpnext/erpnext/config/hr.py +137,Appraisals,Beurteilungen -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Doppelte Seriennummer für Posten {0} eingegeben +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" @@ -1785,7 +1788,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Stückliste {0} muss übertragen werden +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Bezahlung @@ -1804,12 +1807,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset-Bewegung -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,neue Produkte Warenkorb +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1835,7 +1838,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Artikel vom Kaufbeleg übernehmen DocType: Serial No,Creation Date,Erstelldatum apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikel {0} erscheint mehrfach in Preisliste {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Vertrieb muss aktiviert werden, wenn ""Anwenden auf"" ausgewählt ist bei {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Vertrieb muss aktiviert werden, wenn ""Anwenden auf"" ausgewählt ist bei {0}" DocType: Production Plan Material Request,Material Request Date,Material Auftragsdatum DocType: Purchase Order Item,Supplier Quotation Item,Lieferantenangebotsposition DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Deaktiviert die Erstellung von Zeitprotokollen zu Fertigungsaufträgen. Arbeitsgänge werden nicht zu Fertigungsaufträgen nachverfolgt @@ -1851,12 +1854,12 @@ DocType: Supplier,Supplier of Goods or Services.,Lieferant von Waren oder Dienst DocType: Budget,Fiscal Year,Geschäftsjahr DocType: Vehicle Log,Fuel Price,Kraftstoff-Preis DocType: Budget,Budget,Budget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Posten des Anlagevermögens muss ein Nichtlagerposition sein. +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 +209,e.g. 5,z. B. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1865,7 +1868,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,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 +263,A Product or Service,Ein Produkt oder eine Dienstleistung +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1938,7 +1941,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Paar +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Paar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1957,10 +1960,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Das tatsächliche Enddatum (durch Zeiterfassung) 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 +160,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 +342,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein +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 DocType: Shipping Rule Condition,Shipping Amount,Versandbetrag -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Kunden hinzufügen +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1977,6 +1980,7 @@ DocType: Journal Entry,Accounts Receivable,Forderungen ,Supplier-Wise Sales Analytics,Lieferantenbezogene Analyse der Verkäufe apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Geben Sie gezahlten Betrag DocType: Salary Structure,Select employees for current Salary Structure,Ausgewählte Mitarbeiter für aktuelle Gehaltsstruktur +DocType: Sales Invoice,Company Address Name,Firmenanschrift Name 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)" @@ -1996,7 +2000,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 +269,Unit,Einheit +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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)" @@ -2017,7 +2021,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,Mengendifferenz @@ -2026,7 +2030,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Einteilung der Kunden nach Region apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Differenzbetrag muss Null sein DocType: Project,Gross Margin,Handelsspanne -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Bitte zuerst Herstellungsartikel eingeben +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 +748,Quotation,Angebot @@ -2038,7 +2042,7 @@ 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." DocType: Opportunity,Customer / Lead Address,Kunden- / Lead-Adresse -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Warnung: Ungültiges SSL-Zertifikat für Anlage {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Warnung: Ungültiges SSL-Zertifikat für Anlage {0} DocType: Student Admission,Eligibility,Wählbarkeit apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads helfen Ihnen ins Geschäft zu erhalten, fügen Sie alle Ihre Kontakte und mehr als Ihre Leads" DocType: Production Order Operation,Actual Operation Time,Tatsächliche Betriebszeit @@ -2057,11 +2061,11 @@ DocType: Appraisal,Calculate Total Score,Gesamtwertung berechnen DocType: Request for Quotation,Manufacturing Manager,Fertigungsleiter apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Seriennummer {0} ist innerhalb der Garantie bis {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Lieferschein in Pakete aufteilen -apps/erpnext/erpnext/hooks.py +87,Shipments,Lieferungen +apps/erpnext/erpnext/hooks.py +94,Shipments,Lieferungen DocType: Payment Entry,Total Allocated Amount (Company Currency),Aufteilbaren Gesamtbetrag (Gesellschaft Währung) DocType: Purchase Order Item,To be delivered to customer,Zur Auslieferung an den Kunden DocType: BOM,Scrap Material Cost,Schrottmaterialkosten -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Seriennummer {0} gehört zu keinem Lager +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Seriennummer {0} gehört zu keinem Lager DocType: Purchase Invoice,In Words (Company Currency),In Worten (Firmenwährung) DocType: Asset,Supplier,Lieferant DocType: C-Form,Quarter,Quartal @@ -2075,11 +2079,10 @@ DocType: Employee Loan,Employee Loan Account,Mitarbeiter Darlehenskonto DocType: Leave Application,Total Leave Days,Urlaubstage insgesamt DocType: Email Digest,Note: Email will not be sent to disabled users,Hinweis: E-Mail wird nicht an gesperrte Nutzer gesendet apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Anzahl der Interaktion -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke 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 +408,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1} +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} 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" @@ -2121,7 +2124,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Aufwandsabrechnungsdetail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Bitte richtiges Konto auswählen +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE FÜR LIEFERANTEN +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Bitte richtiges Konto auswählen DocType: Item,Weight UOM,Gewichts-Maßeinheit DocType: Salary Structure Employee,Salary Structure Employee,Gehaltsstruktur Mitarbeiter DocType: Employee,Blood Group,Blutgruppe @@ -2143,7 +2147,7 @@ DocType: Student,Guardians,Wächter 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 +336,Debit To is required,Debit Um erforderlich +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2156,7 +2160,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Noch nicht bezahlt DocType: BOM Website Operation,BOM Website Operation,BOM Webseite Tätigkeits apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Angebotsschreiben apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Materialanfragen (MAF) und Fertigungsaufträge generieren -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Gesamtrechnungsbetrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Gesamtrechnungsbetrag DocType: BOM,Conversion Rate,Wechselkurs apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produkt Suche DocType: Timesheet Detail,To Time,Bis-Zeit @@ -2170,7 +2174,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Seriennummern für Artikel {1} erforderlich. Sie haben {2} zur Verfügung gestellt. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Seriennummern für Artikel {1} erforderlich. Sie haben {2} zur Verfügung gestellt. DocType: Stock Reconciliation Item,Current Valuation Rate,Aktueller Wertansatz DocType: Item,Customer Item Codes,Kundenartikelnummern apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange-Gewinn / Verlust @@ -2217,7 +2221,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 +2454,Select Batch No,Wählen Sie Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2241,19 +2245,19 @@ DocType: Leave Block List,Allow Users,Benutzer zulassen DocType: Purchase Order,Customer Mobile No,Mobilnummer des Kunden DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Einnahmen und Ausgaben für Produktbereiche oder Abteilungen separat verfolgen. DocType: Rename Tool,Rename Tool,Werkzeug zum Umbenennen -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Kosten aktualisieren +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 +438,Show Salary Slip,Anzeigen Gehaltsabrechnung apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Wählen Sie Änderungsbetrag Konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Steuern hinzufügen +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2264,6 +2268,7 @@ DocType: Stock Entry,Purchase Receipt No,Kaufbeleg Nr. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Anzahlung DocType: Process Payroll,Create Salary Slip,Gehaltsabrechnung erstellen apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rückverfolgbarkeit +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC-Code 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 @@ -2293,7 +2298,7 @@ DocType: Employee Education,Post Graduate,Graduation veröffentlichen DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Wartungsplandetail DocType: Quality Inspection Reading,Reading 9,Ablesewert 9 DocType: Supplier,Is Frozen,Ist gesperrt -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Gruppenknoten Lager ist nicht für Transaktionen zu wählen erlaubt +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Gruppenknoten Lager ist nicht für Transaktionen zu wählen erlaubt DocType: Buying Settings,Buying Settings,Einkaufs-Einstellungen DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stücklisten-Nr. für einen fertigen Artikel DocType: Upload Attendance,Attendance To Date,Anwesenheit bis Datum @@ -2308,13 +2313,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel." +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.js +153,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" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Bitte die geplante Menge für Artikel {0} in Zeile {1} eingeben @@ -2336,7 +2341,7 @@ DocType: Authorization Rule,Authorized Value,Autorisierter Wert DocType: BOM,Show Operations,zeigen Operationen ,Minutes to First Response for Opportunity,Minuten bis zur ersten Antwort auf Opportunität apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Summe Abwesenheit -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artikel oder Lager in Zeile {0} stimmen nicht mit Materialanfrage überein +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Artikel oder Lager in Zeile {0} stimmen nicht mit Materialanfrage überein apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Maßeinheit DocType: Fiscal Year,Year End Date,Enddatum des Geschäftsjahres DocType: Task Depends On,Task Depends On,Vorgang hängt ab von @@ -2427,7 +2432,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 +106,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 +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/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 @@ -2523,9 +2528,9 @@ 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 +789,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Kostenstelle apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Beleg # DocType: Notification Control,Purchase Order Message,Lieferantenauftrags-Nachricht @@ -2541,7 +2546,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 +1165,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 +1086,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 +773,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 @@ -2560,7 +2565,7 @@ DocType: Project,Task Completion,Aufgabenerledigung apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nicht lagernd DocType: Appraisal,HR User,Nutzer Personalabteilung DocType: Purchase Invoice,Taxes and Charges Deducted,Steuern und Gebühren abgezogen -apps/erpnext/erpnext/hooks.py +116,Issues,Fälle +apps/erpnext/erpnext/hooks.py +124,Issues,Fälle apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status muss einer aus {0} sein DocType: Sales Invoice,Debit To,Belasten auf DocType: Delivery Note,Required only for sample item.,Nur erforderlich für Probeartikel. @@ -2589,6 +2594,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Region apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Bitte bei ""Besuche erforderlich"" NEIN angeben" DocType: Stock Settings,Default Valuation Method,Standard-Bewertungsmethode +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Gebühr DocType: Vehicle Log,Fuel Qty,Kraftstoff-Menge DocType: Production Order Operation,Planned Start Time,Geplante Startzeit DocType: Course,Assessment,Bewertung @@ -2598,12 +2604,12 @@ 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 +149,Quotation {0} is cancelled,Angebot {0} wird storniert -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Offener Gesamtbetrag +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkaufstransaktionen können für mehrere verschiedene ""Vertriebsmitarbeiter"" markiert werden, so dass Ziele festgelegt und überwacht werden können." ,S.O. No.,Nummer der Lieferantenbestellung -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Bitte Kunden aus Lead {0} erstellen +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Bitte Kunden aus Lead {0} erstellen DocType: Price List,Applicable for Countries,Anwenden für Länder apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Lassen Sie nur Anwendungen mit dem Status "Approved" und "Abgelehnt" eingereicht werden können apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Studentengruppenname ist obligatorisch in Zeile {0} @@ -2652,6 +2658,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/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 @@ -2694,8 +2701,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materialübertrag für He 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.,Der Rabatt-Prozentsatz kann entweder auf eine Preisliste oder auf alle Preislisten angewandt werden. DocType: Purchase Invoice,Half-yearly,Halbjährlich apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Lagerbuchung +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Sie haben bereits für die Bewertungskriterien beurteilt. DocType: Vehicle Service,Engine Oil,Motoröl -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: Sales Invoice,Sales Team1,Verkaufsteam1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikel {0} existiert nicht DocType: Sales Invoice,Customer Address,Kundenadresse @@ -2723,7 +2730,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juristische Person/Niederlassung mit einem separaten Kontenplan, die zum Unternehmen gehört." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Provisionssatz kann nicht größer als 100 sein DocType: Stock Entry,Subcontract,Zulieferer apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Bitte geben Sie zuerst {0} ein @@ -2751,7 +2758,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Schülermonatsanwesenheits apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Mitarbeiter {0} hat sich bereits für {1} zwischen {2} und {3} beworben apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Startdatum des Projekts -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Bis +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Bis DocType: Rename Tool,Rename Log,Protokoll umbenennen apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Student Group oder Kursplan ist Pflicht DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Pflegen Abrechnungszeiten und Arbeitszeiten Same auf Stundenzettel @@ -2762,7 +2769,7 @@ DocType: Quality Inspection,Inspection Type,Art der Prüfung apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Lagerhäuser mit bestehenden Transaktion nicht zu einer Gruppe umgewandelt werden. DocType: Assessment Result Tool,Result HTML,Ergebnis HTML apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Läuft aus am -apps/erpnext/erpnext/utilities/activation.py +115,Add Students,In Students +apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Schüler hinzufügen apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},Bitte {0} auswählen DocType: C-Form,C-Form No,Kontakt-Formular-Nr. DocType: BOM,Exploded_items,Aufgelöste Artikel @@ -2775,7 +2782,7 @@ DocType: Purchase Order Item,Returned Qty,Zurückgegebene Menge DocType: Employee,Exit,Verlassen apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root-Typ ist zwingend erforderlich DocType: BOM,Total Cost(Company Currency),Gesamtkosten (Gesellschaft Währung) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Seriennummer {0} erstellt +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Seriennummer {0} erstellt DocType: Homepage,Company Description for website homepage,Firmen-Beschreibung für Internet-Homepage DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Zum Vorteil für die Kunden, können diese Kodes in Druckformaten wie Rechnungen und Lieferscheinen verwendet werden" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Namen @@ -2795,7 +2802,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS-Gateway-URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurstermine gestrichen: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Protokolle über den SMS-Versand DocType: Accounts Settings,Make Payment via Journal Entry,Zahlung über Journaleintrag -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Gedruckt auf +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Gedruckt auf DocType: Item,Inspection Required before Delivery,Inspektion Notwendige vor der Auslieferung DocType: Item,Inspection Required before Purchase,"Inspektion erforderlich, bevor Kauf" apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Ausstehende Aktivitäten @@ -2827,9 +2834,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studenten B apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Grenze überschritten apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Risikokapital 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.,Ein akademischer Begriff mit diesem "Academic Year '{0} und" Bezeichnen Namen' {1} ist bereits vorhanden. Bitte ändern Sie diese Einträge und versuchen Sie es erneut. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Da bestehende Transaktionen gegen Artikel sind {0}, können Sie nicht den Wert ändern {1}" +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 bestehende Transaktionen gegen Artikel sind {0}, können Sie nicht den Wert ändern {1}" DocType: UOM,Must be Whole Number,Muss eine ganze Zahl sein DocType: Leave Control Panel,New Leaves Allocated (In Days),Neue Urlaubszuordnung (in Tagen) +DocType: Sales Invoice,Invoice Copy,Rechnungskopie apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Seriennummer {0} existiert nicht DocType: Sales Invoice Item,Customer Warehouse (Optional),Kundenlagerkonto (optional) DocType: Pricing Rule,Discount Percentage,Rabatt in Prozent @@ -2874,8 +2882,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto schließen Ausgabe 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Lagerbuchungen sperren +DocType: Program Enrollment,Boarding Student,Boarding Student DocType: Asset,Expected Value After Useful Life,Erwartungswert nach der Ausmusterung DocType: Item,Reorder level based on Warehouse,Meldebestand auf Basis des Lagers DocType: Activity Cost,Billing Rate,Abrechnungsbetrag @@ -2902,11 +2912,11 @@ DocType: Serial No,Warranty / AMC Details,Details der Garantie / des jährlichen apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Wählen Sie die Schüler manuell für die aktivitätsbasierte Gruppe aus DocType: Journal Entry,User Remark,Benutzerbemerkung DocType: Lead,Market Segment,Marktsegment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Gezahlten Betrag kann nicht größer sein als die Gesamt negativ ausstehenden Betrag {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Gezahlten Betrag kann nicht größer sein als die Gesamt negativ ausstehenden Betrag {0} DocType: Employee Internal Work History,Employee Internal Work History,Interne Berufserfahrung des Mitarbeiters apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Schlußstand (Soll) DocType: Cheque Print Template,Cheque Size,Scheck Größe -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Seriennummer {0} ist nicht auf Lager +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Seriennummer {0} ist nicht auf Lager apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Steuervorlage für Verkaufstransaktionen DocType: Sales Invoice,Write Off Outstanding Amount,Offenen Betrag abschreiben apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} stimmt nicht mit der Firma {1} überein @@ -2930,7 +2940,7 @@ 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 +348,Add a few sample records,Ein paar Beispieldatensätze hinzufügen +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2944,17 +2954,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Seriennummer und Chargen DocType: Warranty Claim,From Company,Von Firma -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Die Summe der Ergebnisse von Bewertungskriterien muss {0} sein. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Die Summe der Ergebnisse von Bewertungskriterien muss {0} sein. 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 +270,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2974,7 +2984,7 @@ DocType: Production Order,PRO-,PROFI- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kontokorrentkredit-Konto apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Gehaltsabrechnung erstellen apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Zeile # {0}: Zugeordneter Betrag darf nicht größer als ausstehender Betrag sein. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Stückliste durchsuchen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Stückliste durchsuchen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Gedeckte Kredite DocType: Purchase Invoice,Edit Posting Date and Time,Bearbeiten Posting Datum und Uhrzeit apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Bitte setzen Abschreibungen im Zusammenhang mit Konten in der Anlagekategorie {0} oder Gesellschaft {1} @@ -2990,7 +3000,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 +278,Select Quantity,Menge wählen +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3013,6 +3023,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Aktualisierung von Transaktionen älter als {0} nicht erlaubt DocType: Purchase Invoice Item,PR Detail,PR-Detail DocType: Sales Order,Fully Billed,Voll berechnet +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Lieferant> Lieferanten Typ 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 +127,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) @@ -3050,8 +3061,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Gesamtkostenbetrag (über 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 DocType: Customs Tariff Number,Tariff Number,Tarifnummer +DocType: Production Order Item,Available Qty at WIP Warehouse,Verfügbare Menge bei WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Geplant -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Seriennummer {0} gehört nicht zu Lager {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Seriennummer {0} gehört nicht zu Lager {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,Hinweis: Das System überprüft Überlieferungen und Überbuchungen zu Artikel {0} nicht da Stückzahl oder Menge 0 sind DocType: Notification Control,Quotation Message,Angebotsmitteilung DocType: Employee Loan,Employee Loan Application,Mitarbeiter Darlehensanträge @@ -3069,13 +3081,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Einstandskosten apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rechnungen von Lieferanten DocType: POS Profile,Write Off Account,Abschreibungs-Konto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Note Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debit Note Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabattbetrag DocType: Purchase Invoice,Return Against Purchase Invoice,Zurück zur Einkaufsrechnung 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 +207,e.g. VAT,z. B. Mehrwertsteuer +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3083,7 +3095,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 +1945,Please select customer,Bitte wählen Sie Kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3112,7 +3124,7 @@ DocType: Lead,Address Desc,Adresszusatz apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partei ist obligatorisch DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Thema Name -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Mindestens ein Eintrag aus Vertrieb oder Einkauf muss ausgewählt werden +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Mindestens ein Eintrag aus Vertrieb oder Einkauf muss ausgewählt werden apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Wählen Sie die Art Ihres Unternehmens. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Zeile # {0}: Eintrag in Referenzen verdoppeln {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Ort, an dem Arbeitsgänge der Fertigung ablaufen." @@ -3121,7 +3133,7 @@ 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} DocType: Employee,Confirmation Date,Datum bestätigen DocType: C-Form,Total Invoiced Amount,Gesamtrechnungsbetrag -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Mindestmenge kann nicht größer als Maximalmenge sein +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 DocType: Account,Accumulated Depreciation,Kumulierte Abschreibungen DocType: Stock Entry,Customer or Supplier Details,Kunden- oder Lieferanten-Details DocType: Employee Loan Application,Required by Date,Erforderlich by Date @@ -3150,10 +3162,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Lieferantenau apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firmenname kann keine Firma sein apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Briefköpfe für Druckvorlagen apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Bezeichnungen für Druckvorlagen, z. B. Proforma-Rechnung" +DocType: Program Enrollment,Walking,Gehen DocType: Student Guardian,Student Guardian,Studenten Wächter apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,"Bewertungsart Gebühren kann nicht als ""inklusive"" markiert werden" DocType: POS Profile,Update Stock,Lagerbestand aktualisieren -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Lieferant> Lieferanten Typ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Unterschiedliche Maßeinheiten für Artikel führen zu falschen Werten für das (Gesamt-)Nettogewicht. Es muss sicher gestellt sein, dass das Nettogewicht jedes einzelnen Artikels in der gleichen Maßeinheit angegeben ist." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Stückpreis DocType: Asset,Journal Entry for Scrap,Journaleintrag für Schrott @@ -3205,7 +3217,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Steuerverteilung anzeigen apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3224,14 +3235,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Standardbarkonto apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Unternehmensstammdaten (nicht Kunde oder Lieferant) 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 +176,No Students in,Keine Studenten in +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 +108,Please enter 'Expected Delivery Date',"Bitte ""voraussichtlichen Liefertermin"" eingeben" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Ungültiges GSTIN oder NA für unregistriert eingeben +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3272,23 @@ DocType: Sales Team,Contribution (%),Beitrag (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Hinweis: Zahlungsbuchung wird nicht erstellt, da kein ""Kassen- oder Bankkonto"" angegeben wurde" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Verantwortung DocType: Expense Claim Account,Expense Claim Account,Kostenabrechnung Konto +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: Sales Person,Sales Person Name,Name des Vertriebsmitarbeiters apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Bitte mindestens eine Rechnung in die Tabelle eingeben +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Benutzer hinzufügen DocType: POS Item Group,Item Group,Artikelgruppe DocType: Item,Safety Stock,Sicherheitsbestand apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Fortschritt-% eines Vorgangs darf nicht größer 100 sein. DocType: Stock Reconciliation Item,Before reconciliation,Vor Ausgleich apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},An {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Steuern und Gebühren hinzugerechnet (Firmenwährung) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Artikelsteuer Zeile {0} muss ein Konto vom Typ ""Steuer"" oder ""Erträge"" oder ""Aufwendungen"" oder ""Besteuerbar"" haben" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Artikelsteuer Zeile {0} muss ein Konto vom Typ ""Steuer"" oder ""Erträge"" oder ""Aufwendungen"" oder ""Besteuerbar"" haben" DocType: Sales Order,Partly Billed,Teilweise abgerechnet apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Artikel {0} muss ein Posten des Anlagevermögens sein DocType: Item,Default BOM,Standardstückliste -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Lastschriftbetrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Lastschriftbetrag apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Bitte zum Bestätigen Firmenname erneut eingeben -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Offener Gesamtbetrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Offener Gesamtbetrag DocType: Journal Entry,Printing Settings,Druckeinstellungen DocType: Sales Invoice,Include Payment (POS),Fügen Sie Zahlung (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Gesamt-Soll muss gleich Gesamt-Haben sein. Die Differenz ist {0} @@ -3283,19 +3296,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Fahrzeug DocType: Vehicle,Insurance Company,Versicherungsunternehmen DocType: Asset Category Account,Fixed Asset Account,Feste Asset-Konto apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variable -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Von Lieferschein +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Von Lieferschein DocType: Student,Student Email Address,Studenten E-Mail-Adresse DocType: Timesheet Detail,From Time,Von-Zeit apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Auf Lager: DocType: Notification Control,Custom Message,Benutzerdefinierte Mitteilung apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment-Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kassen- oder Bankkonto ist zwingend notwendig um eine Zahlungsbuchung zu erstellen -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 Anwesenheit über Setup> Nummerierung ein apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Schüleradresse 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 +1517,Address Name,Adresse Name +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3312,7 +3324,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Geben Sie Wert muss positiv sein +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3329,7 +3341,7 @@ DocType: Process Payroll,Process Payroll,Gehaltsabrechnung bearbeiten apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Es gibt mehr Feiertage als Arbeitstage in diesem Monat. DocType: Product Bundle Item,Product Bundle Item,Produkt-Bundle-Artikel DocType: Sales Partner,Sales Partner Name,Name des Vertriebspartners -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Angebostanfrage +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Angebostanfrage DocType: Payment Reconciliation,Maximum Invoice Amount,Maximale Rechnungsbetrag DocType: Student Language,Student Language,Student Sprache apps/erpnext/erpnext/config/selling.py +23,Customers,Kundschaft @@ -3339,7 +3351,7 @@ DocType: Asset,Partially Depreciated,Partiell Abgeschrieben DocType: Issue,Opening Time,Öffnungszeit apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Von- und Bis-Daten erforderlich apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Wertpapier- & Rohstoffbörsen -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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 +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 +847,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung @@ -3357,7 +3369,7 @@ 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 +266,Raw Material,Rohmaterial +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3369,7 +3381,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Eröffnungsdatum sollte vor dem Abschlussdatum liegen -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: 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." @@ -3381,8 +3392,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Seriennummern sind erforderlich für den Artikel mit Seriennummer {0} +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/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 DocType: Journal Entry,Bank Entry,Bankbuchung DocType: Authorization Rule,Applicable To (Designation),Anwenden auf (Bezeichnung) @@ -3399,7 +3410,7 @@ 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 +270,Hour,Stunde +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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" @@ -3409,7 +3420,7 @@ 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 +645,Point of Sale,Verkaufsstelle +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3424,8 +3435,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 +270,Gram,Gramm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein. +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/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." @@ -3450,14 +3461,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 +465,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 +466,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 +834,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 +835,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 @@ -3489,7 +3500,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Verwaltungsbezirk laut Rechnungsadresse @@ -3536,7 +3547,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Einstellungen für die Internet-Homepage 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 +214,Invalid attribute {0} {1},Ungültige Attribut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Bitte wählen Sie die Bewertungsgruppe außer "All Assessment Groups" @@ -3634,16 +3645,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Gehaltskomponenten DocType: Program Enrollment Tool,New Academic Year,Neues Studienjahr apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Gutschrift DocType: Stock Settings,Auto insert Price List rate if missing,"Preisliste automatisch einfügen, wenn sie fehlt" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Summe gezahlte Beträge +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Summe gezahlte Beträge DocType: Production Order Item,Transferred Qty,Übergebene Menge apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigieren apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planung 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 +272,We sell this Item,Wir verkaufen diesen Artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3691,7 +3704,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 +1186,Please set Company,Bitte setzen Unternehmen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3707,13 +3720,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,"""In W 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} wird bereits für Artikel {1} verwendet +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} wird bereits für Artikel {1} verwendet DocType: Lead,Add to calendar on this date,Zu diesem Datum in Kalender einfügen apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten DocType: Item,Opening Stock,Anfangsbestand apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunde ist verpflichtet apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,"{0} ist zwingend für ""Zurück""" DocType: Purchase Order,To Receive,Um zu empfangen +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Persönliche E-Mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Gesamtabweichung DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, bucht das System Bestandsbuchungen automatisch." @@ -3724,7 +3738,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 +541,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 +542,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 @@ -3732,7 +3746,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Außerhalb der Garantie DocType: BOM Replace Tool,Replace,Ersetzen apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Keine Produkte gefunden -DocType: Production Order,Unstopped,unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} zu Verkaufsrechnung {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Projektname @@ -3743,6 +3756,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} 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 @@ -3779,9 +3793,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Von-Bereich apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Syntaxfehler in der Formel oder Bedingung: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,tägliche Arbeitszusammenfassung-Einstellungen Ihrer Firma -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Artikel {0} ignoriert, da es sich nicht um einen Lagerartikel handelt" +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 +40,Submit this Production Order for further processing.,Diesen Fertigungsauftrag zur Weiterverarbeitung buchen. +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/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 @@ -3789,12 +3803,14 @@ 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 +209,Rate (%),Preis (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Bitte setzen Sie den Firmenfilter leer, wenn Group By "Company"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Buchungsdatum kann nicht Datum in der Zukunft sein apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Zeile # {0}: Seriennummer {1} stimmt nicht mit {2} {3} überein apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Erholungsurlaub @@ -3823,7 +3839,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Buchung im Lagerbuch apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} ist nicht für Seriennummern eingerichtet. Spalte muss leer sein +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 DocType: Accounts Settings,Accounts Settings,Konteneinstellungen apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Genehmigen DocType: Customer,Sales Partner and Commission,Vertriebspartner und Verprovisionierung @@ -3838,7 +3854,7 @@ 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 +62,{0} items produced,{0} Elemente hergestellt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3852,7 +3868,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Gesamtbetrag der Aufwandsa 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} DocType: Journal Entry Account,Exchange Rate,Wechselkurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3877,18 +3893,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Repay fixen Betrag pro Periode apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Bitte die Menge für Artikel {0} eingeben -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditnachweis amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreditnachweis amt DocType: Employee External Work History,Employee External Work History,Externe Berufserfahrung des Mitarbeiters DocType: Tax Rule,Purchase,Einkauf apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilanzmenge @@ -3913,7 +3929,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 +2383,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3942,6 +3958,7 @@ DocType: Guardian,Guardian Of ,Wächter von DocType: Grading Scale Interval,Threshold,Schwelle DocType: BOM Replace Tool,Current BOM,Aktuelle Stückliste apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Seriennummer hinzufügen +DocType: Production Order Item,Available Qty at Source Warehouse,Verfügbare Menge bei Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie DocType: Purchase Invoice,Debit Note Issued,Lastschrift ausgestellt am DocType: Production Order,Warehouses,Lager @@ -3957,13 +3974,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Zahlbetrag apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektleiter ,Quoted Item Comparison,Vergleich angebotener Artikel apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Versand -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max erlaubter Rabatt für Artikel: {0} ist {1}% +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 +279,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 +879,Select Items to Manufacture,Wählen Sie die Elemente Herstellung -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern," +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"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 @@ -3987,7 +4004,7 @@ DocType: POS Profile,Terms and Conditions,Allgemeine Geschäftsbedingungen 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 +200,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 +198,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 @@ -4007,7 +4024,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Um dieses Geschäftsjahr als Standard festzulegen, auf ""Als Standard festlegen"" anklicken" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Beitreten apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Engpassmenge -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert DocType: Employee Loan,Repay from Salary,Repay von Gehalts DocType: Leave Application,LAP/,RUNDE/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Anfordern Zahlung gegen {0} {1} für Menge {2} @@ -4025,18 +4042,18 @@ 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 +1011,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen" +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Seriennummer {0} bereits erhalten +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Seriennummer {0} bereits erhalten ,Requested Items To Be Transferred,"Angeforderte Artikel, die übertragen werden sollen" 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 +1312,Delete permanently?,Dauerhaft löschen? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Ungültige(r) {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ungültige(r) {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Krankheitsbedingte Abwesenheit DocType: Email Digest,Email Digest,Täglicher E-Mail-Bericht DocType: Delivery Note,Billing Address Name,Name der Rechnungsadresse @@ -4049,6 +4066,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Gebührenpflichtig DocType: Company,Change Abbreviation,Abkürzung ändern DocType: Expense Claim Detail,Expense Date,Datum der Aufwendung +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke DocType: Item,Max Discount (%),Maximaler Rabatt (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Letzter Bestellbetrag DocType: Task,Is Milestone,Ist Milestone @@ -4072,8 +4090,8 @@ DocType: Program Enrollment Tool,New Program,Neues Programm DocType: Item Attribute Value,Attribute Value,Attributwert ,Itemwise Recommended Reorder Level,Empfohlener artikelbezogener Meldebestand DocType: Salary Detail,Salary Detail,Gehalt Details -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Bitte zuerst {0} auswählen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Charge {0} von Artikel {1} ist abgelaufen. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Bitte zuerst {0} auswählen +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Charge {0} von Artikel {1} ist abgelaufen. DocType: Sales Invoice,Commission,Provision apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Zeitblatt für die Fertigung. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Zwischensumme @@ -4098,12 +4116,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 +399,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 +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/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 +387,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 +382,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 @@ -4133,7 +4151,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Verkauf Datum DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-Mails werden an alle aktiven Mitarbeiter des Unternehmens an der angegebenen Stunde gesendet werden, wenn sie nicht Urlaub. Zusammenfassung der Antworten wird um Mitternacht gesendet werden." DocType: Employee Leave Approver,Employee Leave Approver,Urlaubsgenehmiger des Mitarbeiters -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kann nicht als verloren deklariert werden, da bereits ein Angebot erstellt wurde." 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 @@ -4166,6 +4184,7 @@ DocType: Announcement,Student,Schüler apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Stammdaten der Organisationseinheit (Abteilung) apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Bitte gültige Mobilnummern eingeben apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Bitte eine Nachricht vor dem Versenden eingeben +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLIKAT FÜR LIEFERANTEN DocType: Email Digest,Pending Quotations,Ausstehende Angebote apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Verkaufsstellen-Profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Bitte SMS-Einstellungen aktualisieren @@ -4174,7 +4193,7 @@ DocType: Cost Center,Cost Center Name,Kostenstellenbezeichnung DocType: Employee,B+,B+ DocType: HR Settings,Max working hours against Timesheet,Max Arbeitszeit gegen Stundenzettel DocType: Maintenance Schedule Detail,Scheduled Date,Geplantes Datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Summe gezahlte Beträge +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Summe gezahlte Beträge DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mitteilungen mit mehr als 160 Zeichen werden in mehrere Nachrichten aufgeteilt DocType: Purchase Receipt Item,Received and Accepted,Erhalten und bestätigt ,GST Itemised Sales Register,GST Einzelverkaufsregister @@ -4184,7 +4203,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 +237,Your Suppliers,Ihre Lieferanten +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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" @@ -4196,7 +4215,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,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" +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. @@ -4211,7 +4230,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Unternehmens apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,An Lager apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle Studenten Admissions ,Average Commission Rate,Durchschnittlicher Provisionssatz -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Hat Seriennummer"" kann bei Nicht-Lagerartikeln nicht ""Ja"" sein" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Hat Seriennummer"" kann bei Nicht-Lagerartikeln nicht ""Ja"" sein" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Die Anwesenheit kann nicht für zukünftige Termine markiert werden DocType: Pricing Rule,Pricing Rule Help,Hilfe zur Preisregel DocType: School House,House Name,Hausname @@ -4227,7 +4246,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 +339,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein +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 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 @@ -4242,20 +4261,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Gehaltsabrechnung der Mitarbeiter {0} bereits für Zeitblatt erstellt {1} DocType: Vehicle Log,Odometer,Kilometerzähler DocType: Sales Order Item,Ordered Qty,Bestellte Menge -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Artikel {0} ist deaktiviert +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Gehaltsabrechnungen generieren -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Einkauf muss ausgewählt sein, wenn ""Anwenden auf"" auf {0} gesetzt wurde" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Einkauf muss ausgewählt sein, wenn ""Anwenden auf"" auf {0} gesetzt wurde" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Discount muss kleiner als 100 sein 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 +500,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Beleg über Einstandskosten @@ -4315,7 +4334,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Voraussichtliches Datum kann nicht vor dem Datum der Materialanfrage liegen DocType: Purchase Invoice Item,Stock Qty,Lager Menge -DocType: Production Order,Source Warehouse (for reserving Items),Quelle Warehouse (für die Reservierung von Items) DocType: Employee Loan,Repayment Period in Months,Rückzahlungsfrist in Monaten apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fehler: Keine gültige ID? DocType: Naming Series,Update Series Number,Nummernkreis-Wert aktualisieren @@ -4363,7 +4381,7 @@ DocType: Production Order,Planned End Date,Geplantes Enddatum apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,"Ort, an dem Artikel gelagert werden." DocType: Request for Quotation,Supplier Detail,Lieferant Details apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Fehler in der Formel oder Bedingung: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Rechnungsbetrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Rechnungsbetrag DocType: Attendance,Attendance,Anwesenheit apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,stock Items DocType: BOM,Materials,Materialien @@ -4403,10 +4421,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Richten Sie eine einfache Website für meine Organisation +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 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 +650,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben DocType: Item,Default Warehouse,Standardlager apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kann nicht einem Gruppenkonto {0} zugeordnet werden apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Bitte übergeordnete Kostenstelle eingeben @@ -4465,7 +4483,7 @@ 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 +1344,Select or add new customer,Wählen oder neue Kunden hinzufügen +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/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 @@ -4473,6 +4491,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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." @@ -4495,7 +4514,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Ablesewert 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Belegtyp -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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" @@ -4515,7 +4534,7 @@ DocType: POS Profile,Account for Change Amount,Konto für Änderungsbetrag apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Zeile {0}: Gruppe / Konto stimmt nicht mit {1} / {2} in {3} {4} überein apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Bitte das Aufwandskonto angeben DocType: Account,Stock,Lagerbestand -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Bestellung, Rechnung oder Kaufjournaleintrag sein" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Bestellung, Rechnung oder Kaufjournaleintrag sein" DocType: Employee,Current Address,Aktuelle Adresse DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Wenn der Artikel eine Variante eines anderen Artikels ist, dann werden Beschreibung, Bild, Preise, Steuern usw. aus der Vorlage übernommen, sofern nicht ausdrücklich etwas angegeben ist." DocType: Serial No,Purchase / Manufacture Details,Einzelheiten zu Kauf / Herstellung @@ -4553,11 +4572,12 @@ DocType: Student,Home Address,Privatadresse apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset übertragen DocType: POS Profile,POS Profile,Verkaufsstellen-Profil DocType: Training Event,Event Name,Veranstaltungsname -apps/erpnext/erpnext/config/schools.py +39,Admission,Eintritt +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Eintritt apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions für {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Artikel {0} ist eine Vorlage, bitte eine seiner Varianten wählen" DocType: Asset,Asset Category,Anlagekategorie +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Käufer apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettolohn kann nicht negativ sein DocType: SMS Settings,Static Parameters,Statische Parameter DocType: Assessment Plan,Room,Zimmer @@ -4566,6 +4586,7 @@ DocType: Item,Item Tax,Artikelsteuer apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material an den Lieferanten apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundengruppe> Territorium DocType: Expense Claim,Employees Email Id,E-Mail-ID des Mitarbeiters DocType: Employee Attendance Tool,Marked Attendance,Marked Teilnahme apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kurzfristige Verbindlichkeiten @@ -4637,6 +4658,7 @@ DocType: Leave Type,Is Carry Forward,Ist Übertrag apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Auf Zusammenfassung diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv index 62283bdb5c..c874866a51 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Σταμάτησε Παραγγελία παραγωγή δεν μπορεί να ακυρωθεί, θα ξεβουλώνω πρώτα να ακυρώσετε" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,Επιλέξτε Προεπιλογή Προμηθευτής @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1} +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 +808,Invoice,Τιμολόγιο DocType: Maintenance Schedule Item,Periodicity,Περιοδικότητα apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Χρήσεως {0} απαιτείται @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,Εργασία σε εξέλιξη apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Παρακαλώ επιλέξτε ημερομηνία DocType: Employee,Holiday List,Λίστα αργιών -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Λογιστής +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Λογιστής DocType: Cost Center,Stock User,Χρηματιστήριο χρήστη DocType: Company,Phone No,Αρ. Τηλεφώνου apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Δρομολόγια φυσικά δημιουργήθηκε: @@ -110,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,Όνομα αρχείου γονικής λεπτομέρεια 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg DocType: Student Log,Log,Κούτσουρο apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Άνοιγμα θέσης εργασίας. DocType: Item Attribute,Increment,Προσαύξηση @@ -120,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 +42,Not permitted for {0},Δεν επιτρέπεται η {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Πάρτε τα στοιχεία από -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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.,"** Μηνιαία Κατανομή ** σας βοηθά να διανείμετε το Οικονομικό / Target σε όλη μήνες, αν έχετε την εποχικότητα στην επιχείρησή σας." -apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Δεν βρέθηκαν στοιχεία +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,Είδος τιμολογίου πώλησης @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Αναφορές απόθ DocType: Warehouse,Warehouse Detail,Λεπτομέρειες αποθήκης apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Το πιστωτικό όριο έχει ξεπεραστεί για τον πελάτη {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Είναι Παγίων" δεν μπορεί να είναι ανεξέλεγκτη, καθώς υπάρχει Asset ρεκόρ έναντι του στοιχείου" +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/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,Υπάρχει πελάτης με το ίδιο όνομα @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Από {0} έως {1} DocType: Item,Copy From Item Group,Αντιγραφή από ομάδα ειδών DocType: Journal Entry,Opening Entry,Αρχική καταχώρηση -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Ο λογαριασμός πληρώνουν μόνο DocType: Employee Loan,Repay Over Number of Periods,Εξοφλήσει Πάνω αριθμός των περιόδων DocType: Stock Entry,Additional Costs,Πρόσθετα έξοδα @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Ακίνητα -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Κατάσταση λογαριασμού +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,Φαρμακευτική DocType: Purchase Invoice Item,Is Fixed Asset,Είναι Παγίων apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Διαθέσιμη ποσότητα είναι {0}, θα πρέπει να έχετε {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Αναλώσιμα +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Αναλώσιμα DocType: Employee,B-,ΣΙ- DocType: Upload Attendance,Import Log,Αρχείο καταγραφής εισαγωγής DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Τραβήξτε Υλικό Αίτηση του τύπου Κατασκευή με βάση τα παραπάνω κριτήρια @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,Παράδειγμα: Βασικά Μαθηματικά +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/config/hr.py +214,Settings for HR Module,Ρυθμίσεις για τη λειτουργική μονάδα HR DocType: SMS Center,SMS Center,Κέντρο SMS @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Προϊόντα και Τιμολόγηση apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Σύνολο ωρών: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Το πεδίο από ημερομηνία πρέπει να είναι εντός της χρήσης. Υποθέτοντας από ημερομηνία = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Αποσπάσματα DocType: Customer,Individual,Άτομο DocType: Interest,Academics User,ακαδημαϊκοί χρήστη DocType: Cheque Print Template,Amount In Figure,Ποσό Στο Σχήμα @@ -264,7 +265,7 @@ DocType: Employee,Create User,Δημιουργία χρήστη DocType: Selling Settings,Default Territory,Προεπιλεγμένη περιοχή apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Τηλεόραση DocType: Production Order Operation,Updated via 'Time Log',Ενημέρωση μέσω 'αρχείου καταγραφής χρονολογίου' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1} DocType: Naming Series,Series List for this Transaction,Λίστα σειράς για αυτή τη συναλλαγή DocType: Company,Enable Perpetual Inventory,Ενεργοποίηση διαρκούς απογραφής DocType: Company,Default Payroll Payable Account,Προεπιλογή Μισθοδοσίας με πληρωμή Λογαριασμού @@ -272,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 +177,For Warehouse is required before Submit,Tο πεδίο για αποθήκη απαιτείται πριν την υποβολή +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.","Αν επιλεγεί, θα περιλαμβάνουν μη-απόθεμα τεμάχια στο υλικό αιτήματα." @@ -280,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 +2256,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Όνομα επαφής +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 Ομάδα Πελατών @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Η ημερομηνία απαλλαγής πρέπει να είναι μεταγενέστερη από την ημερομηνία ένταξης 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 +189,Warehouse {0} does not belong to company {1},Η αποθήκη {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 +270,Litre,Λίτρο +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Η άδεια εμποδίστηκε -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Τράπεζα Καταχωρήσεις apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Ετήσιος DocType: Stock Reconciliation Item,Stock Reconciliation Item,Είδος συμφωνίας αποθέματος @@ -314,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 +316,People who teach at your organisation,Οι άνθρωποι που διδάσκουν σε οργανισμό σας +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,Ελάχιστη ποσότητα παραγγελίας @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Επιτρέπει στο χρήσ DocType: Item,Publish in Hub,Δημοσίευση στο hub DocType: Student Admission,Student Admission,Η είσοδος φοιτητής ,Terretory,Περιοχή -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Αίτηση υλικού DocType: Bank Reconciliation,Update Clearance Date,Ενημέρωση ημερομηνίας εκκαθάρισης DocType: Item,Purchase Details,Λεπτομέρειες αγοράς @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,στόλου Διευθυντής apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή» +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,Κυκλικού λάθους Αναφορά @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,Η καταχώηρση πληρωμής έχει τροποποιηθεί μετά την λήψη της. Παρακαλώ επαναλάβετε τη λήψη. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,Το {0} εισήχθηκε δύο φορές στο φόρο είδους +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,Το {0} εισήχθηκε δύο φορές στο φόρο είδους apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Περίληψη για αυτή την εβδομάδα και εν αναμονή δραστηριότητες DocType: Student Applicant,Admitted,Παράδεκτος DocType: Workstation,Rent Cost,Κόστος ενοικίασης @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Παραλήφθηκε apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Δημιουργία Ομάδων Φοιτητών apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Η εγκατάσταση έχει ήδη ολοκληρωθεί! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Ποσό πιστωτικής σημείωσης +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Ποσό πιστωτικής σημείωσης ,Finished Goods,Έτοιμα προϊόντα DocType: Delivery Note,Instructions,Οδηγίες DocType: Quality Inspection,Inspected By,Επιθεωρήθηκε από @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Δημιουργήστε ένα νέο πελάτη +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Παρακαλούμε ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Δημιουργία Εντολών Αγοράς ,Purchase Register,Ταμείο αγορών DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Παγκόσμια ρυθμίσεις για όλες τις διαδικασίες κατασκευής. DocType: Accounts Settings,Accounts Frozen Upto,Παγωμένοι λογαριασμοί μέχρι DocType: SMS Log,Sent On,Εστάλη στις -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Χαρακτηριστικό {0} πολλές φορές σε πίνακα Χαρακτηριστικά +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Χαρακτηριστικό {0} πολλές φορές σε πίνακα Χαρακτηριστικά DocType: HR Settings,Employee record is created using selected field. ,Η Εγγραφή υπαλλήλου δημιουργείται χρησιμοποιώντας το επιλεγμένο πεδίο. DocType: Sales Order,Not Applicable,Μη εφαρμόσιμο apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Κύρια εγγραφή αργιών. @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Παρακαλώ εισάγετε αποθήκη για την οποία θα δημιουργηθεί η αίτηση υλικού DocType: Production Order,Additional Operating Cost,Πρόσθετο λειτουργικό κόστος apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Καλλυντικά -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Για τη συγχώνευση, οι ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Για τη συγχώνευση, οι ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη" DocType: Shipping Rule,Net Weight,Καθαρό βάρος DocType: Employee,Emergency Phone,Τηλέφωνο έκτακτης ανάγκης apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Αγορά @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,Διαχείριση της υπεργολαβίας @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Προσθήκη / επεξεργασία φόρων και επιβαρύνσεων DocType: Purchase Invoice,Supplier Invoice No,Αρ. τιμολογίου του προμηθευτή DocType: Territory,For reference,Για αναφορά -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Δεν μπορείτε να διαγράψετε Αύξων αριθμός {0}, όπως χρησιμοποιείται στις συναλλαγές μετοχών" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Δεν μπορείτε να διαγράψετε Αύξων αριθμός {0}, όπως χρησιμοποιείται στις συναλλαγές μετοχών" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Κλείσιμο (cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Μετακίνηση στοιχείου DocType: Serial No,Warranty Period (Days),Περίοδος εγγύησης (ημέρες) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Παρακαλώ επιλέξτε πρώτα εταιρεία και τύπο συμβαλλόμενου apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Οικονομικό / λογιστικό έτος. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,συσσωρευμένες Αξίες -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Λυπούμαστε, οι σειριακοί αρ. δεν μπορούν να συγχωνευθούν" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Λυπούμαστε, οι σειριακοί αρ. δεν μπορούν να συγχωνευθούν" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Δημιούργησε παραγγελία πώλησης DocType: Project Task,Project Task,Πρόγραμμα εργασιών ,Lead Id,ID Σύστασης @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Κατανομή apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Επιστροφή πωλήσεων 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,Σημείωση: Σύνολο των κατανεμημένων φύλλα {0} δεν πρέπει να είναι μικρότερη από τα φύλλα που έχουν ήδη εγκριθεί {1} για την περίοδο +,Total Stock Summary,Συνολική σύνοψη μετοχών DocType: Announcement,Posted By,Αναρτήθηκε από DocType: Item,Delivered by Supplier (Drop Ship),Δημοσιεύθηκε από τον Προμηθευτή (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Βάση δεδομένων των δυνητικών πελατών. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Βάση δεδο DocType: Quotation,Quotation To,Προσφορά προς DocType: Lead,Middle Income,Μέσα έσοδα apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Άνοιγμα ( cr ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Προεπιλεγμένη μονάδα μέτρησης για τη θέση {0} δεν μπορεί να αλλάξει άμεσα, επειδή έχετε ήδη κάνει κάποια συναλλαγή (ες) με μια άλλη UOM. Θα χρειαστεί να δημιουργήσετε ένα νέο σημείο για να χρησιμοποιήσετε ένα διαφορετικό Προεπιλογή UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Προεπιλεγμένη μονάδα μέτρησης για τη θέση {0} δεν μπορεί να αλλάξει άμεσα, επειδή έχετε ήδη κάνει κάποια συναλλαγή (ες) με μια άλλη UOM. Θα χρειαστεί να δημιουργήσετε ένα νέο σημείο για να χρησιμοποιήσετε ένα διαφορετικό Προεπιλογή UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Το χορηγούμενο ποσό δεν μπορεί να είναι αρνητικό apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ρυθμίστε την εταιρεία DocType: Purchase Order Item,Billed Amt,Χρεωμένο ποσό @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Κύριες εγγραφέ DocType: Assessment Plan,Maximum Assessment Score,Μέγιστη βαθμολογία αξιολόγησης apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Ημερομηνίες των συναλλαγών Ενημέρωση Τράπεζα apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Παρακολούθηση του χρόνου +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ΑΝΑΛΥΣΗ ΓΙΑ ΜΕΤΑΦΟΡΕΣ DocType: Fiscal Year Company,Fiscal Year Company,Εταιρεία χρήσης DocType: Packing Slip Item,DN Detail,Λεπτομέρεια dn DocType: Training Event,Conference,Διάσκεψη @@ -674,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 +320,Timesheet created:,Φύλλο κατανομής χρόνου δημιουργήθηκε: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Εγγράφω DocType: GST Settings,GST Settings,Ρυθμίσεις GST DocType: Selling Settings,Customer Naming By,Ονομασία πελάτη από @@ -704,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 +139,Finish,Φινίρισμα +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Φινίρισμα apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Βάση DocType: Timesheet,Total Billed Hours,Σύνολο Τιμολογημένος Ώρες DocType: Journal Entry,Write Off Amount,Διαγραφή ποσού @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Πόλη πωλητή ,Absent Student Report,Απών Έκθεση Φοιτητών DocType: Email Digest,Next email will be sent on:,Το επόμενο μήνυμα email θα αποσταλεί στις: DocType: Offer Letter Term,Offer Letter Term,Προσφορά Επιστολή Όρος -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Στοιχείο έχει παραλλαγές. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Στοιχείο έχει παραλλαγές. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Το είδος {0} δεν βρέθηκε DocType: Bin,Stock Value,Αξία των αποθεμάτων apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Πολλαπλές Κανόνες Τιμή υπάρχει με τα ίδια κριτήρια, παρακαλούμε επίλυση των συγκρούσεων με την ανάθεση προτεραιότητα. Κανόνες Τιμή: {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,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ. 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 +48,Make Timesheet,Κάντε Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -846,13 +850,13 @@ 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,Ιστορικό οικογένειας DocType: Request for Quotation Supplier,Send Email,Αποστολή email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Προειδοποίηση: Μη έγκυρη Συνημμένο {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Δεν έχετε άδεια +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Προειδοποίηση: Μη έγκυρη Συνημμένο {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Δεν έχετε άδεια 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 +269,Nos,Αριθμοί +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} πρέπει να υποβληθούν @@ -871,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 +274,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,Άνοιγμα Συσσωρευμένες Αποσβέσεις @@ -959,14 +963,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} πριν από την ακύρωση αυτής της επίσκεψης για συντήρηση -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Ο σειριακός αριθμός {0} δεν ανήκει στο είδος {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Ο σειριακός αριθμός {0} δεν ανήκει στο είδος {1} DocType: Purchase Receipt Item Supplied,Required Qty,Απαιτούμενη ποσότητα apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Αποθήκες με τα υπάρχοντα συναλλαγής δεν μπορεί να μετατραπεί σε καθολικό. DocType: Bank Reconciliation,Total Amount,Συνολικό ποσό @@ -983,7 +987,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,εξαρτήματα apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Παρακαλούμε, εισάγετε Asset Κατηγορία στη θέση {0}" DocType: Quality Inspection Reading,Reading 6,Μέτρηση 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,"Δεν είναι δυνατή η {0} {1} {2}, χωρίς οποιαδήποτε αρνητική εκκρεμών τιμολογίων" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,"Δεν είναι δυνατή η {0} {1} {2}, χωρίς οποιαδήποτε αρνητική εκκρεμών τιμολογίων" 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} @@ -997,12 +1001,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 +731,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος DocType: Payment Request,Paid,Πληρωμένο DocType: Program Fee,Program Fee,Χρέωση πρόγραμμα DocType: Salary Slip,Total in words,Σύνολο ολογράφως @@ -1035,9 +1039,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Χημικό DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Προεπιλογή του τραπεζικού λογαριασμού / Cash θα ενημερώνεται αυτόματα στο Μισθός Εφημερίδα Έναρξη όταν έχει επιλεγεί αυτή η λειτουργία. DocType: BOM,Raw Material Cost(Company Currency),Κόστος των πρώτων υλών (Εταιρεία νομίσματος) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Όλα τα είδη έχουν ήδη μεταφερθεί για αυτήν την εντολή παραγωγής. +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 +270,Meter,Μέτρο +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Μέτρο DocType: Workstation,Electricity Cost,Κόστος ηλεκτρικής ενέργειας DocType: HR Settings,Don't send Employee Birthday Reminders,Μην στέλνετε υπενθυμίσεις γενεθλίων υπαλλήλου DocType: Item,Inspection Criteria,Κριτήρια ελέγχου @@ -1059,7 +1063,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 +452,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +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,Δικαιώματα Προαίρεσης 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 +259,Qty for {0},Ποσότητα για {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,Ημερομηνίες λίστας αποκλεισμού ημερών άδειας @@ -1079,9 +1083,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Λογαριασμός μετρητ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Παρακαλείστε να προσδιορίσετε ένα {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Που αφαιρούνται χωρίς καμία αλλαγή στην ποσότητα ή την αξία. DocType: Delivery Note,Delivery To,Παράδοση προς -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Τραπέζι χαρακτηριστικό γνώρισμα είναι υποχρεωτικό +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Τραπέζι χαρακτηριστικό γνώρισμα είναι υποχρεωτικό DocType: Production Planning Tool,Get Sales Orders,Βρες παραγγελίες πώλησης -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,Η {0} δεν μπορεί να είναι αρνητική +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,Η {0} δεν μπορεί να είναι αρνητική apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Έκπτωση DocType: Asset,Total Number of Depreciations,Συνολικός αριθμός των Αποσβέσεων DocType: Sales Invoice Item,Rate With Margin,Τιμή με περιθώριο @@ -1117,7 +1121,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 +1546,ZIP Code,Ταχυδρομικός κώδικας +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1139,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους προμηθευτές σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,Διανομέας DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Κανόνες αποστολής καλαθιού αγορών apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Η εντολή παραγωγής {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',Παρακαλούμε να ορίσετε «Εφαρμόστε επιπλέον έκπτωση On» +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,"Από το φάσμα πρέπει να είναι μικρότερη από ό, τι στην γκάμα" DocType: Global Defaults,Global Defaults,Καθολικές προεπιλογές @@ -1167,10 +1171,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 +22,First 2 digits of GSTIN should match with State number {0},Τα πρώτα 2 ψηφία GSTIN θα πρέπει να ταιριάζουν με τον αριθμό κατάστασης {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Χωρητικότητα Σφάλμα Προγραμματισμού +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Χωρητικότητα Σφάλμα Προγραμματισμού ,Trial Balance for Party,Ισοζύγιο για το Κόμμα DocType: Lead,Consultant,Σύμβουλος DocType: Salary Slip,Earnings,Κέρδη @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,Είναι η επιστροφή apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Επιστροφή / χρεωστικό σημείωμα DocType: Price List Country,Price List Country,Τιμοκατάλογος Χώρα DocType: Item,UOMs,Μ.Μ. -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} Έγκυροι σειριακοί αριθμοί για το είδος {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} Έγκυροι σειριακοί αριθμοί για το είδος {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Ο κωδικός είδους δεν μπορεί να αλλάξει για τον σειριακό αριθμό apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Προφίλ {0} έχει ήδη δημιουργηθεί για το χρήστη: {1} και την παρέα {2} DocType: Sales Invoice Item,UOM Conversion Factor,Συντελεστής μετατροπής Μ.Μ. @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Κέντρο κόστους για το είδος με το κωδικό είδους ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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 +1244,7 @@ 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,Προβολή καθολικού DocType: Grading Scale,Intervals,διαστήματα apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Η πιο παλιά -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Μια ομάδα ειδών υπάρχει με το ίδιο όνομα, μπορείτε να αλλάξετε το όνομα του είδους ή να μετονομάσετε την ομάδα ειδών" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Το είδος {0} δεν μπορεί να έχει παρτίδα @@ -1268,7 +1272,7 @@ 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 +288,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών DocType: Purchase Invoice,Rejected Warehouse,Αποθήκη απορριφθέντων DocType: GL Entry,Against Voucher,Κατά το αποδεικτικό DocType: Item,Default Buying Cost Center,Προεπιλεγμένο κέντρο κόστους αγορών @@ -1279,7 +1283,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,Η παραγγελία πώλησης {0} δεν είναι έγκυρη +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1297,14 +1301,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Τόπος έκδοσης apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Συμβόλαιο DocType: Email Digest,Add Quote,Προσθήκη Παράθεση -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Ο παράγοντας μετατροπής Μ.Μ. απαιτείται για τη Μ.Μ.: {0} στο είδος: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Ο παράγοντας μετατροπής Μ.Μ. απαιτείται για τη Μ.Μ.: {0} στο είδος: {1} 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 +736,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας +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,Τα προϊόντα ή οι υπηρεσίες σας DocType: Mode of Payment,Mode of Payment,Τρόπος πληρωμής -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Αυτή είναι μια κύρια ομάδα ειδών και δεν μπορεί να επεξεργαστεί. @@ -1321,14 +1325,13 @@ 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 +562,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","Ο κανόνας τιμολόγησης πρώτα επιλέγεται με βάση το πεδίο 'εφαρμογή στο', το οποίο μπορεί να είναι είδος, ομάδα ειδών ή εμπορικό σήμα" 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Η κατάσταση της εντολής παραγωγής είναι {0} DocType: Appraisal Goal,Goal,Στόχος DocType: Sales Invoice Item,Edit Description,Επεξεργασία Περιγραφή ,Team Updates,Ενημερώσεις ομάδα @@ -1344,14 +1347,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Υπάρχει αποθήκη παιδί για αυτή την αποθήκη. Δεν μπορείτε να διαγράψετε αυτό αποθήκη. DocType: Item,Website Item Groups,Ομάδες ειδών δικτυακού τόπου DocType: Purchase Invoice,Total (Company Currency),Σύνολο (Εταιρεία νομίσματος) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Ο σειριακός αριθμός {0} εισήχθηκε περισσότερο από μία φορά +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 +78,{0} items in progress,{0} αντικείμενα σε εξέλιξη +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,Αυτός είναι ο αριθμός της τελευταίας συναλλαγής που δημιουργήθηκε με αυτό το πρόθεμα @@ -1409,7 +1412,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1424,7 @@ 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 +260,Max: {0},Μέγιστο: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,Αρχείο καταγραφής επικοινωνίας @@ -1432,7 +1434,7 @@ DocType: Sales Invoice,Shipping Address Name,Όνομα διεύθυνσης α apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Λογιστικό σχέδιο DocType: Material Request,Terms and Conditions Content,Περιεχόμενο όρων και προϋποθέσεων apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,Δεν μπορεί να είναι μεγαλύτερη από 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Το είδος {0} δεν είναι ένα αποθηκεύσιμο είδος +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Το είδος {0} δεν είναι ένα αποθηκεύσιμο είδος DocType: Maintenance Visit,Unscheduled,Έκτακτες DocType: Employee,Owned,Ανήκουν DocType: Salary Detail,Depends on Leave Without Pay,Εξαρτάται από άδειας άνευ αποδοχών @@ -1463,7 +1465,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 +273,We buy this Item,Αγοράζουμε αυτό το είδος +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 χρήσεως @@ -1474,7 +1476,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 +266,Sub Assemblies,Υποσυστήματα +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Υποσυστήματα DocType: Asset,Asset Name,Όνομα του ενεργητικού DocType: Project,Task Weight,Task Βάρος DocType: Shipping Rule Condition,To Value,ˆΈως αξία @@ -1507,12 +1509,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,Πηγή 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 +239,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Δεν βρέθηκαν εγγραφές στον πίνακα πληρωμών apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Αυτό {0} συγκρούσεις με {1} για {2} {3} DocType: Student Attendance Tool,Students HTML,φοιτητές HTML DocType: POS Profile,Apply Discount,Εφαρμόστε Έκπτωση -DocType: Purchase Invoice Item,GST HSN Code,Κωδικός HSN του GST +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 +283,Packing Slip(s) cancelled,Το(α) δελτίο(α) συσκευασίας ακυρώθηκε(αν) @@ -1555,8 +1557,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,Λεπτομέρειες Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Κουτί +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 +873,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,Η λίστα παραλήπτη είναι άδεια. Παρακαλώ δημιουργήστε λίστα παραλήπτη @@ -1585,7 +1587,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Τρόπος αποπληρωμής DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Αν επιλεγεί, η σελίδα θα είναι η προεπιλεγμένη Θέση του Ομίλου για την ιστοσελίδα" DocType: Quality Inspection Reading,Reading 4,Μέτρηση 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Προεπιλεγμένη ΒΟΜ για {0} δεν βρέθηκε για το Project {1} 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} @@ -1602,29 +1603,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Νέα εργα apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Κάντε Προσφορά apps/erpnext/erpnext/config/selling.py +216,Other Reports,άλλες εκθέσεις DocType: Dependent Task,Dependent Task,Εξαρτημένη Εργασία -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Ο συντελεστής μετατροπής για την προεπιλεγμένη μονάδα μέτρησης πρέπει να είναι 1 στη γραμμή {0} +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 ημέρες νωρίτερα. 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} DocType: SMS Center,Receiver List,Λίστα παραλήπτη -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Αναζήτηση Είδους +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,έχουν ήδη ολοκληρωθεί +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/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 +263,Quantity must not be more than {0},Η ποσότητα δεν πρέπει να είναι μεγαλύτερη από {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 πελάτη DocType: Account,Account Name,Όνομα λογαριασμού apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Από την ημερομηνία αυτή δεν μπορεί να είναι μεταγενέστερη από την έως ημερομηνία -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Ο σειριακός αριθμός {0} ποσότητα {1} δεν μπορεί να είναι ένα κλάσμα +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Ο σειριακός αριθμός {0} ποσότητα {1} δεν μπορεί να είναι ένα κλάσμα apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Κύρια εγγραφή τύπου προμηθευτή. 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 @@ -1632,6 +1633,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Ημερομηνία κίνησης οχήματος +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Το αποδεικτικό παραλαβής αγοράς {0} δεν έχει υποβληθεί DocType: Company,Default Payable Account,Προεπιλεγμένος λογαριασμός πληρωτέων apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ρυθμίσεις για το online καλάθι αγορών, όπως οι κανόνες αποστολής, ο τιμοκατάλογος κλπ" @@ -1685,7 +1687,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,"Περιλαμβά DocType: Sales Invoice,Packed Items,Συσκευασμένα είδη apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Αξίωση εγγύησης για τον σειριακό αρ. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Αντικαταστήστε μια συγκεκριμένη Λ.Υ. σε όλες τις άλλες Λ.Υ. όπου χρησιμοποιείται. Θα αντικαταστήσει το παλιό σύνδεσμο Λ.Υ., θα ενημερώσει το κόστος και τον πίνακα ""ανάλυση είδους Λ.Υ."" κατά τη νέα Λ.Υ." -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Σύνολο' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Σύνολο' DocType: Shopping Cart Settings,Enable Shopping Cart,Ενεργοποίηση του καλαθιού αγορών DocType: Employee,Permanent Address,Μόνιμη διεύθυνση apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1720,6 +1722,7 @@ DocType: Material Request,Transferred,Μεταφέρθηκε DocType: Vehicle,Doors,πόρτες apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης! DocType: Course Assessment Criteria,Weightage,Ζύγισμα +DocType: Sales 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,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλώ να αλλάξετε το όνομα του πελάτη ή να μετονομάσετε την ομάδα πελατών @@ -1739,7 +1742,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,Αιτών εργασία @@ -1755,7 +1758,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Κύριο apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Παραλλαγή DocType: Naming Series,Set prefix for numbering series on your transactions,Ορίστε πρόθεμα για τη σειρά αρίθμησης για τις συναλλαγές σας DocType: Employee Attendance Tool,Employees HTML,Οι εργαζόμενοι HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της DocType: Employee,Leave Encashed?,Η άδεια εισπράχθηκε; apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Το πεδίο 'ευκαιρία από' είναι υποχρεωτικό DocType: Email Digest,Annual Expenses,ετήσια Έξοδα @@ -1768,7 +1771,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 +175,Work-in-Progress Warehouse is required before Submit,Η αποθήκη εργασιών σε εξέλιξηαπαιτείται πριν την υποβολή +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,Πληροφορίες καταστατικού και άλλες γενικές πληροφορίες σχετικά με τον προμηθευτή σας @@ -1776,7 +1779,7 @@ DocType: Item,Serial Nos and Batches,Σειριακοί αριθμοί και π apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Δύναμη ομάδας σπουδαστών apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Κατά την ημερολογιακή εγγραφή {0} δεν έχει καμία αταίριαστη {1} καταχώρηση apps/erpnext/erpnext/config/hr.py +137,Appraisals,εκτιμήσεις -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Διπλότυπος σειριακός αριθμός για το είδος {0} +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}. Για να καταστεί δυνατή η υπερβολική τιμολόγηση, ορίστε στην Αγορά Ρυθμίσεις" @@ -1785,7 +1788,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Πληρωμή @@ -1804,12 +1807,12 @@ 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 +257,"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 +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.","Απαριθμήστε προϊόντα ή υπηρεσίες που αγοράζετε ή πουλάτε. Σιγουρέψτε πως έχει επιλεγεί η ομάδα εϊδους, η μονάδα μέτρησης και οι άλλες ιδιότητες όταν ξεκινάτε." 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: Asset Movement,Asset Movement,Asset Κίνημα -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,νέα καλαθιού +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,τροχοί @@ -1835,7 +1838,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Πάρετε τα στοιχεία από τις πωλήσεις παραγγελίες DocType: Serial No,Creation Date,Ημερομηνία δημιουργίας apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Το είδος {0} εμφανίζεται πολλές φορές στον τιμοκατάλογο {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Η πώληση πρέπει να επιλεγεί, αν είναι το πεδίο 'εφαρμοστέα για' έχει οριστεί ως {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Η πώληση πρέπει να επιλεγεί, αν είναι το πεδίο 'εφαρμοστέα για' έχει οριστεί ως {0}" DocType: Production Plan Material Request,Material Request Date,Υλικό Ημερομηνία Αίτηση DocType: Purchase Order Item,Supplier Quotation Item,Είδος της προσφοράς του προμηθευτή DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Απενεργοποιεί τη δημιουργία του χρόνου κορμών κατά Εντολές Παραγωγής. Οι πράξεις δεν θα πρέπει να παρακολουθούνται κατά την παραγωγή διαταγής @@ -1851,12 +1854,12 @@ DocType: Supplier,Supplier of Goods or Services.,Προμηθευτής αγαθ DocType: Budget,Fiscal Year,Χρήση DocType: Vehicle Log,Fuel Price,των τιμών των καυσίμων DocType: Budget,Budget,Προϋπολογισμός -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Πάγιο περιουσιακό στοιχείο πρέπει να είναι ένα στοιχείο μη διαθέσιμο. +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 +209,e.g. 5,Π.Χ. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το τιμολόγιο πώλησης. @@ -1865,7 +1868,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 +263,A Product or Service,Ένα προϊόν ή υπηρεσία +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,Τρέχουσα αξία @@ -1938,7 +1941,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Ζεύγος +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Ζεύγος apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής DocType: Asset,Depreciation Schedule,Πρόγραμμα αποσβέσεις apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Διευθύνσεις συνεργατών πωλήσεων και επαφές @@ -1957,10 +1960,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},Η ομάδα είδους δεν αναφέρεται στην κύρια εγγραφή είδους για το είδος {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων +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,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων DocType: Shipping Rule Condition,Shipping Amount,Κόστος αποστολής -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Προσθέστε πελάτες +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,Παραδόθηκε @@ -1977,6 +1980,7 @@ DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαρια ,Supplier-Wise Sales Analytics,Αναφορές πωλήσεων ανά προμηθευτή apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Πληκτρολογήστε το καταβληθέν ποσό DocType: Salary Structure,Select employees for current Salary Structure,Επιλέξτε τους εργαζόμενους για την τρέχουσα μισθολογική διάρθρωση +DocType: Sales Invoice,Company Address Name,Όνομα διεύθυνσης εταιρείας 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)","Μάθημα γονέων (Αφήστε κενό, αν αυτό δεν είναι μέρος του μαθήματος γονέων)" @@ -1996,7 +2000,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 +269,Unit,Μονάδα +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,Αποθήκη όπου θα γίνεται διατήρηση αποθέματος για απορριφθέντα στοιχεία @@ -2017,7 +2021,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα Πωλήσεις Τάξης, Τιμολόγιο Πωλήσεων ή Εφημερίδα Έναρξη" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: από το χρόνο και τον χρόνο είναι υποχρεωτική. DocType: Stock Reconciliation Item,Amount Difference,ποσό Διαφορά @@ -2026,7 +2030,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Ταξινόμηση των πελατών ανά περιοχή apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Διαφορά Ποσό πρέπει να είναι μηδέν DocType: Project,Gross Margin,Μικτό Περιθώριο Κέρδους -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Παρακαλώ εισάγετε πρώτα το είδος παραγωγής +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 +748,Quotation,Προσφορά @@ -2038,7 +2042,7 @@ 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: Opportunity,Customer / Lead Address,Πελάτης / διεύθυνση Σύστασης -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Προειδοποίηση: Μη έγκυρο πιστοποιητικό SSL στο συνημμένο {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Προειδοποίηση: Μη έγκυρο πιστοποιητικό SSL στο συνημμένο {0} DocType: Student Admission,Eligibility,Αιρετότητα apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Οδηγεί σας βοηθήσει να πάρετε την επιχείρησή, προσθέστε όλες τις επαφές σας και περισσότερο, όπως σας οδηγεί" DocType: Production Order Operation,Actual Operation Time,Πραγματικός χρόνος λειτουργίας @@ -2057,11 +2061,11 @@ DocType: Appraisal,Calculate Total Score,Υπολογισμός συνολική DocType: Request for Quotation,Manufacturing Manager,Υπεύθυνος παραγωγής apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Ο σειριακός αριθμός {0} έχει εγγύηση μέχρι {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Χώρισε το δελτίο αποστολής σημείωση σε πακέτα. -apps/erpnext/erpnext/hooks.py +87,Shipments,Αποστολές +apps/erpnext/erpnext/hooks.py +94,Shipments,Αποστολές DocType: Payment Entry,Total Allocated Amount (Company Currency),Συνολικό ποσό που χορηγήθηκε (Εταιρεία νομίσματος) DocType: Purchase Order Item,To be delivered to customer,Να παραδοθεί στον πελάτη DocType: BOM,Scrap Material Cost,Άχρηστα Υλικών Κατασκευής Νέων Κτιρίων -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Αύξων αριθμός {0} δεν ανήκουν σε καμία αποθήκη +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Αύξων αριθμός {0} δεν ανήκουν σε καμία αποθήκη DocType: Purchase Invoice,In Words (Company Currency),Με λόγια (νόμισμα της εταιρείας) DocType: Asset,Supplier,Προμηθευτής DocType: C-Form,Quarter,Τρίμηνο @@ -2075,11 +2079,10 @@ DocType: Employee Loan,Employee Loan Account,Ο λογαριασμός δανε DocType: Leave Application,Total Leave Days,Σύνολο ημερών άδειας DocType: Email Digest,Note: Email will not be sent to disabled users,Σημείωση: το email δε θα σταλεί σε απενεργοποιημένους χρήστες apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Αριθμός Αλληλεπίδρασης -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα 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 +408,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","Παρακαλώ επιλέξτε χορηγούμενο ποσό, τύπο τιμολογίου και αριθμό τιμολογίου σε τουλάχιστον μία σειρά" @@ -2121,7 +2124,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Λεπτομέρειες αξίωσης δαπανών -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Παρακαλώ επιλέξτε σωστό λογαριασμό +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ΤΡΙΛΙΚΑ ΓΙΑ ΠΡΟΜΗΘΕΥΤΗ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Παρακαλώ επιλέξτε σωστό λογαριασμό DocType: Item,Weight UOM,Μονάδα μέτρησης βάρους DocType: Salary Structure Employee,Salary Structure Employee,Δομή μισθό του υπαλλήλου DocType: Employee,Blood Group,Ομάδα αίματος @@ -2143,7 +2147,7 @@ DocType: Student,Guardians,φύλακες 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 +336,Debit To is required,Χρεωστικό να απαιτείται +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,Προσφορά Όρος @@ -2156,7 +2160,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Το σύνολο DocType: BOM Website Operation,BOM Website Operation,BOM λειτουργίας της ιστοσελίδας apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Επιστολή Προσφοράς apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Δημιουργία αιτήσεων υλικών (mrp) και εντολών παραγωγής. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Συνολικό ποσό που τιμολογήθηκε +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Συνολικό ποσό που τιμολογήθηκε DocType: BOM,Conversion Rate,Συναλλαγματική ισοτιμία apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Αναζήτηση προϊόντων DocType: Timesheet Detail,To Time,Έως ώρα @@ -2170,7 +2174,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} αύξοντες αριθμούς που απαιτούνται για τη θέση {1}. Έχετε προβλέπεται {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} αύξοντες αριθμούς που απαιτούνται για τη θέση {1}. Έχετε προβλέπεται {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Τρέχουσα Αποτίμηση Τιμή DocType: Item,Customer Item Codes,Θέση Πελάτη Κώδικες apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ανταλλαγή Κέρδος / Ζημιά @@ -2217,7 +2221,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 +2454,Select Batch No,Επιλέξτε Αριθμός παρτίδας +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,Ποσό προκαταβολής @@ -2241,19 +2245,19 @@ DocType: Leave Block List,Allow Users,Επίστρεψε χρήστες DocType: Purchase Order,Customer Mobile No,Κινητό αριθ Πελατών DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Παρακολουθήστε ξεωριστά έσοδα και έξοδα για τις κάθετες / διαιρέσεις προϊόντος DocType: Rename Tool,Rename Tool,Εργαλείο μετονομασίας -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Ενημέρωση κόστους +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 +438,Show Salary Slip,Εμφάνιση Μισθός Slip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,Προσθήκη φόρων +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,Ο λογαριασμός του προϋπολογισμού @@ -2264,6 +2268,7 @@ DocType: Stock Entry,Purchase Receipt No,Αρ. αποδεικτικού παρα apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Κερδιζμένα χρήματα DocType: Process Payroll,Create Salary Slip,Δημιουργία βεβαίωσης αποδοχών apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ιχνηλασιμότητα +DocType: Purchase Invoice Item,HSN/SAC Code,Κωδικός HSN / SAC 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,Υπάλληλος @@ -2293,7 +2298,7 @@ DocType: Employee Education,Post Graduate,Μεταπτυχιακά DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Λεπτομέρειες χρονοδιαγράμματος συντήρησης DocType: Quality Inspection Reading,Reading 9,Μέτρηση 9 DocType: Supplier,Is Frozen,Είναι Κατεψυγμένα -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,αποθήκη κόμβος ομάδας δεν επιτρέπεται να επιλέξετε για τις συναλλαγές +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,αποθήκη κόμβος ομάδας δεν επιτρέπεται να επιλέξετε για τις συναλλαγές DocType: Buying Settings,Buying Settings,Ρυθμίσεις αγοράς DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Αρ. Λ.Υ. Για ένα τελικό καλό είδος DocType: Upload Attendance,Attendance To Date,Προσέλευση μέχρι ημερομηνία @@ -2308,13 +2313,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο." +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.js +153,You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε τιμοκατάλογο, αν η λίστα υλικών αναφέρεται σε οποιουδήποτε είδος" +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,Για Ποσότητα apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Παρακαλώ εισάγετε προγραμματισμένη ποσότητα για το είδος {0} στη γραμμή {1} @@ -2336,7 +2341,7 @@ DocType: Authorization Rule,Authorized Value,Εξουσιοδοτημένος Α DocType: BOM,Show Operations,Εμφάνιση Operations ,Minutes to First Response for Opportunity,Λεπτά για να First Response για την ευκαιρία apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Σύνολο απόντων -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Μονάδα μέτρησης DocType: Fiscal Year,Year End Date,Ημερομηνία λήξης έτους DocType: Task Depends On,Task Depends On,Εργασία Εξαρτάται από @@ -2427,7 +2432,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},Δεν γίνεται να παραχθούν είδη {0} περισσότερα από την ποσότητα παραγγελίας πώλησης {1} +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/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 @@ -2523,9 +2528,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Αναφορά +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Αναφορά DocType: Budget,Cost Center,Κέντρο κόστους apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Αποδεικτικό # DocType: Notification Control,Purchase Order Message,Μήνυμα παραγγελίας αγοράς @@ -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 +1165,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} προσφορά προς {1} apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Όλες τις διευθύνσεις. DocType: Company,Stock Settings,Ρυθμίσεις αποθέματος @@ -2560,7 +2565,7 @@ DocType: Project,Task Completion,Task Ολοκλήρωση apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Όχι στο Χρηματιστήριο DocType: Appraisal,HR User,Χρήστης ανθρωπίνου δυναμικού DocType: Purchase Invoice,Taxes and Charges Deducted,Φόροι και επιβαρύνσεις που παρακρατήθηκαν -apps/erpnext/erpnext/hooks.py +116,Issues,Θέματα +apps/erpnext/erpnext/hooks.py +124,Issues,Θέματα apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Η κατάσταση πρέπει να είναι ένα από τα {0} DocType: Sales Invoice,Debit To,Χρέωση προς DocType: Delivery Note,Required only for sample item.,Απαιτείται μόνο για δείγμα @@ -2589,6 +2594,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Περιοχή apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Παρακαλώ να αναφέρετε τον αριθμό των επισκέψεων που απαιτούνται DocType: Stock Settings,Default Valuation Method,Προεπιλεγμένη μέθοδος αποτίμησης +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Τέλη DocType: Vehicle Log,Fuel Qty,Ποσότητα καυσίμου DocType: Production Order Operation,Planned Start Time,Προγραμματισμένη ώρα έναρξης DocType: Course,Assessment,Εκτίμηση @@ -2598,12 +2604,12 @@ 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 +149,Quotation {0} is cancelled,Η προσφορά {0} είναι ακυρωμένη -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου DocType: Sales Partner,Targets,Στόχοι DocType: Price List,Price List Master,Κύρια εγγραφή τιμοκαταλόγου. DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Όλες οι συναλλαγές πωλήσεων μπορούν να σημανθούν κατά πολλαπλούς ** πωλητές ** έτσι ώστε να μπορείτε να ρυθμίσετε και να παρακολουθήσετε στόχους. ,S.O. No.,Αρ. Παρ. Πώλησης -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Παρακαλώ δημιουργήστε πελάτη από επαφή {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Παρακαλώ δημιουργήστε πελάτη από επαφή {0} DocType: Price List,Applicable for Countries,Ισχύει για χώρες apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Αφήστε Εφαρμογές με την ιδιότητα μόνο «Εγκρίθηκε» και «Απορρίπτεται» μπορούν να υποβληθούν apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Ομάδα Φοιτητών Όνομα είναι υποχρεωτικό στη σειρά {0} @@ -2652,6 +2658,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/config/hr.py +163,Define various loan types,Ορίστε διάφορους τύπους δανείων DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,Οφειλόμενο ποσό @@ -2694,8 +2701,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Μεταφορά υλικ 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.,Το ποσοστό έκπτωσης μπορεί να εφαρμοστεί είτε ανά τιμοκατάλογο ή για όλους τους τιμοκαταλόγους DocType: Purchase Invoice,Half-yearly,Εξαμηνιαία apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Έχετε ήδη αξιολογήσει τα κριτήρια αξιολόγησης {}. DocType: Vehicle Service,Engine Oil,Λάδι μηχανής -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR DocType: Sales Invoice,Sales Team1,Ομάδα πωλήσεων 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Το είδος {0} δεν υπάρχει DocType: Sales Invoice,Customer Address,Διεύθυνση πελάτη @@ -2723,7 +2730,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Νομικό πρόσωπο / θυγατρικές εταιρείες με ξεχωριστό λογιστικό σχέδιο που ανήκουν στον οργανισμό. DocType: Payment Request,Mute Email,Σίγαση Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Τρόφιμα, ποτά και καπνός" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Το ποσοστό προμήθειας δεν μπορεί να υπερβαίνει το 100 DocType: Stock Entry,Subcontract,Υπεργολαβία apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Παρακαλούμε, εισάγετε {0} πρώτη" @@ -2751,7 +2758,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Φοιτητής Φύλλο Μηνιαία Συμμετοχή apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Ο υπάλληλος {0} έχει ήδη υποβάλει αίτηση για {1} μεταξύ {2} και {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Ημερομηνία έναρξης του έργου -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Μέχρι +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Μέχρι DocType: Rename Tool,Rename Log,Αρχείο καταγραφής μετονομασίας apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Το πρόγραμμα σπουδών ή το πρόγραμμα σπουδών είναι υποχρεωτικό DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Διατηρήστε Ώρες χρέωσης και Ώρες Λειτουργίας ίδιο σε Timesheet @@ -2775,7 +2782,7 @@ DocType: Purchase Order Item,Returned Qty,Επέστρεψε Ποσότητα DocType: Employee,Exit,ˆΈξοδος apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Ο τύπος ρίζας είναι υποχρεωτικός DocType: BOM,Total Cost(Company Currency),Συνολικό Κόστος (Εταιρεία νομίσματος) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Ο σειριακός αριθμός {0} δημιουργήθηκε +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Ο σειριακός αριθμός {0} δημιουργήθηκε DocType: Homepage,Company Description for website homepage,Περιγραφή Εταιρείας για την ιστοσελίδα αρχική σελίδα DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Για την εξυπηρέτηση των πελατών, οι κωδικοί αυτοί μπορούν να χρησιμοποιηθούν σε μορφές εκτύπωσης, όπως τιμολόγια και δελτία παράδοσης" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Όνομα suplier @@ -2795,7 +2802,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,διαγράφεται Δρομολόγια μαθήματος: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs για τη διατήρηση της κατάστασης παράδοσης sms DocType: Accounts Settings,Make Payment via Journal Entry,Κάντε Πληρωμή μέσω Εφημερίδα Έναρξη -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Τυπώθηκε σε +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Τυπώθηκε σε DocType: Item,Inspection Required before Delivery,Επιθεώρησης Απαιτούμενη πριν από την παράδοση DocType: Item,Inspection Required before Purchase,Επιθεώρησης Απαιτούμενη πριν από την αγορά apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Εν αναμονή Δραστηριότητες @@ -2827,9 +2834,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Φοιτη apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,όριο Crossed apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,Μια ακαδημαϊκή περίοδο με αυτό το «Ακαδημαϊκό Έτος '{0} και« Term Όνομα »{1} υπάρχει ήδη. Παρακαλείστε να τροποποιήσετε αυτές τις καταχωρήσεις και δοκιμάστε ξανά. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Δεδομένου ότι υπάρχουν συναλλαγές κατά το στοιχείο {0}, δεν μπορείτε να αλλάξετε την τιμή του {1}" +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}","Δεδομένου ότι υπάρχουν συναλλαγές κατά το στοιχείο {0}, δεν μπορείτε να αλλάξετε την τιμή του {1}" DocType: UOM,Must be Whole Number,Πρέπει να είναι ακέραιος αριθμός DocType: Leave Control Panel,New Leaves Allocated (In Days),Νέες άδειες που κατανεμήθηκαν (σε ημέρες) +DocType: Sales Invoice,Invoice Copy,Αντιγραφή τιμολογίου apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Ο σειριακός αριθμός {0} δεν υπάρχει DocType: Sales Invoice Item,Customer Warehouse (Optional),Αποθήκη Πελατών (Προαιρετικό) DocType: Pricing Rule,Discount Percentage,Ποσοστό έκπτωσης @@ -2874,8 +2882,10 @@ 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 +305,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,Συσσωρευμένες Αποσβέσεις Λογαριασμού DocType: Stock Settings,Freeze Stock Entries,Πάγωμα καταχωρήσεων αποθέματος +DocType: Program Enrollment,Boarding Student,Επιβιβαζόμενος φοιτητής DocType: Asset,Expected Value After Useful Life,Αναμενόμενη τιμή μετά Ωφέλιμη Ζωή DocType: Item,Reorder level based on Warehouse,Αναδιάταξη επίπεδο με βάση Αποθήκης DocType: Activity Cost,Billing Rate,Χρέωση Τιμή @@ -2902,11 +2912,11 @@ DocType: Serial No,Warranty / AMC Details,Λεπτομέρειες εγγύησ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Επιλέξτε τους σπουδαστές με μη αυτόματο τρόπο για την ομάδα που βασίζεται στην δραστηριότητα DocType: Journal Entry,User Remark,Παρατήρηση χρήστη DocType: Lead,Market Segment,Τομέας της αγοράς -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Καταβληθέν ποσό δεν μπορεί να είναι μεγαλύτερη από το συνολικό αρνητικό οφειλόμενο ποσό {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Καταβληθέν ποσό δεν μπορεί να είναι μεγαλύτερη από το συνολικό αρνητικό οφειλόμενο ποσό {0} DocType: Employee Internal Work History,Employee Internal Work History,Ιστορικό εσωτερικών εργασιών υπαλλήλου apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Κλείσιμο (dr) DocType: Cheque Print Template,Cheque Size,Επιταγή Μέγεθος -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Ο σειριακός αριθμός {0} δεν υπάρχει στο απόθεμα +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Ο σειριακός αριθμός {0} δεν υπάρχει στο απόθεμα apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Φορολογικό πρότυπο για συναλλαγές πώλησης. DocType: Sales Invoice,Write Off Outstanding Amount,Διαγραφή οφειλόμενου ποσού apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Ο λογαριασμός {0} δεν αντιστοιχεί στην εταιρεία {1} @@ -2930,7 +2940,7 @@ 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 +348,Add a few sample records,Προσθέστε μερικά αρχεία του δείγματος +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,Έχει παραδοθεί πλήρως @@ -2944,17 +2954,17 @@ 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 +418,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,Εντολή Αγοράς του Πελάτη apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Αύξων αριθμός παρτίδας και DocType: Warranty Claim,From Company,Από την εταιρεία -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Άθροισμα Δεκάδες Κριτήρια αξιολόγησης πρέπει να είναι {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Άθροισμα Δεκάδες Κριτήρια αξιολόγησης πρέπει να είναι {0}. 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 +270,Minute,Λεπτό +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Λεπτό DocType: Purchase Invoice,Purchase Taxes and Charges,Φόροι και επιβαρύνσεις αγοράς ,Qty to Receive,Ποσότητα για παραλαβή DocType: Leave Block List,Leave Block List Allowed,Η λίστα αποκλεισμού ημερών άδειας επετράπη @@ -2974,7 +2984,7 @@ DocType: Production Order,PRO-,ΠΡΟΓΡΑΜΜΑ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Τραπεζικός λογαριασμός υπερανάληψης apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Δημιούργησε βεβαίωση αποδοχών apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Σειρά # {0}: Το κατανεμημένο ποσό δεν μπορεί να είναι μεγαλύτερο από το οφειλόμενο ποσό. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Αναζήτηση BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Αναζήτηση BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Εξασφαλισμένα δάνεια DocType: Purchase Invoice,Edit Posting Date and Time,Επεξεργασία δημοσίευσης Ημερομηνία και ώρα apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Παρακαλούμε να ορίσετε τους σχετικούς λογαριασμούς Αποσβέσεις στο Asset Κατηγορία {0} ή της Εταιρείας {1} @@ -2990,7 +3000,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 +278,Select Quantity,Επιλέξτε ποσότητα +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3013,6 +3023,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Δεν επιτρέπεται να ενημερώσετε συναλλαγές αποθέματος παλαιότερες από {0} DocType: Purchase Invoice Item,PR Detail,Λεπτομέρειες PR DocType: Sales Order,Fully Billed,Πλήρως χρεωμένο +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή 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 +127,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),Το μεικτό βάρος της συσκευασίας. Συνήθως καθαρό βάρος + βάρος υλικού συσκευασίας. (Για εκτύπωση) @@ -3050,8 +3061,9 @@ 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} δεν έχει υποβληθεί DocType: Customs Tariff Number,Tariff Number,Αριθμός Δασμολογική +DocType: Production Order Item,Available Qty at WIP Warehouse,Διαθέσιμος αριθμός στο WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Προβλεπόμενη -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Ο σειριακός αριθμός {0} δεν ανήκει στην αποθήκη {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Ο σειριακός αριθμός {0} δεν ανήκει στην αποθήκη {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,Σημείωση : το σύστημα δεν θα ελέγχει για υπέρβαση ορίων παράδοσης και κράτησης για το είδος {0} καθώς η ποσότητα ή το ποσό είναι 0 DocType: Notification Control,Quotation Message,Μήνυμα προσφοράς DocType: Employee Loan,Employee Loan Application,Αίτηση Δανείου εργαζόμενο @@ -3069,13 +3081,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Ποσό αποδεικτικοού κόστους αποστολής εμπορευμάτων apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Λογαριασμοί από τους προμηθευτές. DocType: POS Profile,Write Off Account,Διαγραφή λογαριασμού -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Χρεωστική Σημείωση Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Χρεωστική Σημείωση Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Ποσό έκπτωσης 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 +207,e.g. VAT,Π.Χ. Φπα +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,Υπεργολαβίες @@ -3083,7 +3095,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 +1945,Please select customer,Επιλέξτε πελατών +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Επιλέξτε πελατών DocType: C-Form,I,εγώ DocType: Company,Asset Depreciation Cost Center,Asset Κέντρο Αποσβέσεις Κόστους DocType: Sales Order Item,Sales Order Date,Ημερομηνία παραγγελίας πώλησης @@ -3112,7 +3124,7 @@ DocType: Lead,Address Desc,Περιγραφή διεύθυνσης apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Κόμμα είναι υποχρεωτική DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,θέμα Όνομα -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις επιλογές πωλήση - αγορά +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις επιλογές πωλήση - αγορά apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Επιλέξτε τη φύση της επιχείρησής σας. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Σειρά # {0}: Διπλότυπη καταχώρηση στις Αναφορές {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Που γίνονται οι μεταποιητικές εργασίες @@ -3121,7 +3133,7 @@ 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} DocType: Employee,Confirmation Date,Ημερομηνία επιβεβαίωσης DocType: C-Form,Total Invoiced Amount,Συνολικό ποσό που τιμολογήθηκε -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Η ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την μέγιστη ποσότητα +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Η ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την μέγιστη ποσότητα DocType: Account,Accumulated Depreciation,Συσσωρευμένες αποσβέσεις DocType: Stock Entry,Customer or Supplier Details,Πελάτη ή προμηθευτή Λεπτομέρειες DocType: Employee Loan Application,Required by Date,Απαιτείται από την Ημερομηνία @@ -3150,10 +3162,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Προμηθ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Όνομα Εταιρίας δεν μπορεί να είναι Εταιρεία apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Επικεφαλίδες επιστολόχαρτου για πρότυπα εκτύπωσης. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Τίτλοι για πρότυπα εκτύπωσης, π.Χ. Προτιμολόγιο." +DocType: Program Enrollment,Walking,Το περπάτημα DocType: Student Guardian,Student Guardian,Guardian φοιτητής apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Χρεώσεις τύπου αποτίμηση δεν μπορεί να χαρακτηρίζεται ως Inclusive DocType: POS Profile,Update Stock,Ενημέρωση αποθέματος -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Διαφορετικές Μ.Μ.για τα είδη θα οδηγήσουν σε λανθασμένη τιμή ( σύνολο ) καθαρού βάρους. Βεβαιωθείτε ότι το καθαρό βάρος κάθε είδοςυ είναι στην ίδια Μ.Μ. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Τιμή Λ.Υ. DocType: Asset,Journal Entry for Scrap,Εφημερίδα Έναρξη για παλιοσίδερα @@ -3205,7 +3217,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Εμφάνιση φόρου διάλυση apps/erpnext/erpnext/accounts/party.py +308,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,Δεν μαθητές Βρέθηκαν @@ -3224,14 +3235,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Δεν υπάρχουν φοιτητές στο +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 +108,Please enter 'Expected Delivery Date',Παρακαλώ εισάγετε 'αναμενόμενη ημερομηνία παράδοσης΄ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Μη έγκυρο GSTIN ή Enter NA για μη εγγεγραμμένο +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3272,23 @@ DocType: Sales Team,Contribution (%),Συμβολή (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Σημείωση : η καταχώρηση πληρωμής δεν θα δημιουργηθεί γιατί δεν ορίστηκε λογαριασμός μετρητών ή τραπέζης apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Αρμοδιότητες DocType: Expense Claim Account,Expense Claim Account,Λογαριασμός Εξόδων αξίωσης +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: 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,Προσθήκη χρηστών 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. DocType: Stock Reconciliation Item,Before reconciliation,Πριν συμφιλίωση apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Έως {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Φόροι και επιβαρύνσεις που προστέθηκαν (νόμισμα της εταιρείας) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Η γραμμή φόρου είδους {0} πρέπει να έχει λογαριασμό τύπου φόρος ή έσοδα ή δαπάνη ή χρέωση +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Η γραμμή φόρου είδους {0} πρέπει να έχει λογαριασμό τύπου φόρος ή έσοδα ή δαπάνη ή χρέωση DocType: Sales Order,Partly Billed,Μερικώς τιμολογημένος apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Θέση {0} πρέπει να είναι ένα πάγιο περιουσιακό στοιχείο του Είδους DocType: Item,Default BOM,Προεπιλεγμένη Λ.Υ. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Ποσό χρεωστικού σημειώματος +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Ποσό χρεωστικού σημειώματος apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Παρακαλώ πληκτρολογήστε ξανά το όνομα της εταιρείας για να επιβεβαιώσετε -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Συνολικού ανεξόφλητου υπολοίπου +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Συνολικού ανεξόφλητου υπολοίπου DocType: Journal Entry,Printing Settings,Ρυθμίσεις εκτύπωσης DocType: Sales Invoice,Include Payment (POS),Συμπεριλάβετε πληρωμής (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Η συνολική χρέωση πρέπει να είναι ίση με τη συνολική πίστωση. Η διαφορά είναι {0} @@ -3283,19 +3296,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Αυτο DocType: Vehicle,Insurance Company,Ασφαλιστική εταιρεία DocType: Asset Category Account,Fixed Asset Account,Σταθερή Λογαριασμού Ενεργητικού apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Μεταβλητή -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Από το δελτίο αποστολής +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Από το δελτίο αποστολής DocType: Student,Student Email Address,Φοιτητής διεύθυνση ηλεκτρονικού ταχυδρομείου DocType: Timesheet Detail,From Time,Από ώρα apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Σε απόθεμα: DocType: Notification Control,Custom Message,Προσαρμοσμένο μήνυμα apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Επενδυτική τραπεζική apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Ο λογαριασμός μετρητών/τραπέζης είναι απαραίτητος για την κατασκευή καταχωρήσεων πληρωμής -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Παρακαλούμε ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Διεύθυνση σπουδαστών 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 +1517,Address Name,Διεύθυνση +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Διεύθυνση DocType: Stock Entry,From BOM,Από BOM DocType: Assessment Code,Assessment Code,Κωδικός αξιολόγηση apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Βασικός @@ -3312,7 +3324,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο. +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/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,Μηνιαία επιστροφή ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,Φοιτητής ήδη εγγραφεί. @@ -3329,7 +3341,7 @@ DocType: Process Payroll,Process Payroll,Επεξεργασία μισθοδοσ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Υπάρχουν περισσότερες ημέρες αργιών από ότι εργάσιμες ημέρες αυτό το μήνα. DocType: Product Bundle Item,Product Bundle Item,Προϊόν Bundle Προϊόν DocType: Sales Partner,Sales Partner Name,Όνομα συνεργάτη πωλήσεων -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Αίτηση για προσφορά +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Αίτηση για προσφορά DocType: Payment Reconciliation,Maximum Invoice Amount,Μέγιστο ποσό του τιμολογίου DocType: Student Language,Student Language,φοιτητής Γλώσσα apps/erpnext/erpnext/config/selling.py +23,Customers,Πελάτες @@ -3339,7 +3351,7 @@ DocType: Asset,Partially Depreciated,μερικώς αποσβένονται DocType: Issue,Opening Time,Ώρα ανοίγματος apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Τα πεδία από και έως ημερομηνία είναι απαραίτητα apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Κινητές αξίες & χρηματιστήρια εμπορευμάτων -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή '{0}' πρέπει να είναι ίδιο με το πρότυπο '{1}' +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 +847,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή @@ -3357,7 +3369,7 @@ 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 +266,Raw Material,Πρώτη ύλη +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Ποσό φόρου μετά ποσού έκπτωσης @@ -3369,7 +3381,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Ημερομηνία ανοίγματος πρέπει να είναι πριν από την Ημερομηνία Κλεισίματος -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: 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.,Οι ημέρες για τις οποίες οι άδειες έχουν αποκλειστεί για αυτό το τμήμα @@ -3381,8 +3392,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να αφαιρεθούν όταν η κατηγορία είναι για αποτίμηση ή αποτίμηση και σύνολο -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Οι σειριακοί αριθμοί είναι απαραίτητοι για το είδος με σειρά {0} +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/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,Καταχώρηση τράπεζας DocType: Authorization Rule,Applicable To (Designation),Εφαρμοστέα σε (ονομασία) @@ -3399,7 +3410,7 @@ 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 +270,Hour,Ώρα +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 Ημερομηνίες @@ -3409,7 +3420,7 @@ 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 +645,Point of Sale,Point of sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3424,8 +3435,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 +270,Gram,Γραμμάριο -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0. +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/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 μονάδες." @@ -3450,14 +3461,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 +465,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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 φοίτηση για πολλούς εργαζόμενους @@ -3489,7 +3500,7 @@ 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 +436,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Μέλος χρέωσης @@ -3536,7 +3547,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},Μη έγκυρο χαρακτηριστικό {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Παρακαλώ επιλέξτε την ομάδα αξιολόγησης, εκτός από τις "Όλες οι ομάδες αξιολόγησης"" @@ -3634,16 +3645,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Εξαρτήματα μ DocType: Program Enrollment Tool,New Academic Year,Νέο Ακαδημαϊκό Έτος apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Επιστροφή / Πιστωτική Σημείωση DocType: Stock Settings,Auto insert Price List rate if missing,Αυτόματη ένθετο ποσοστό Τιμοκατάλογος αν λείπει -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Συνολικό καταβεβλημένο ποσό +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Συνολικό καταβεβλημένο ποσό DocType: Production Order Item,Transferred Qty,Μεταφερόμενη ποσότητα apps/erpnext/erpnext/config/learn.py +11,Navigating,Πλοήγηση 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 +272,We sell this Item,Πουλάμε αυτό το είδος +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,Δείγματα δεδομένων 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,Μισή Μέρα Ημερομηνία @@ -3691,7 +3704,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 +1186,Please set Company,Ρυθμίστε την εταιρεία +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,Ρυθμίστε την εταιρεία DocType: Pricing Rule,Buying,Αγορά DocType: HR Settings,Employee Records to be created by,Εγγραφές των υπαλλήλων που πρόκειται να δημιουργηθούν από DocType: POS Profile,Apply Discount On,Εφαρμόστε έκπτωση σε @@ -3707,13 +3720,14 @@ 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,εισπράττει τέλη DocType: Attendance,ATT-,ΑΤΤ -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Το barcode {0} έχει ήδη χρησιμοποιηθεί στο είδος {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Το barcode {0} έχει ήδη χρησιμοποιηθεί στο είδος {1} DocType: Lead,Add to calendar on this date,Προσθήκη στο ημερολόγιο την ημερομηνία αυτή apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Κανόνες για την προσθήκη εξόδων αποστολής. DocType: Item,Opening Stock,άνοιγμα Χρηματιστήριο apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Ο πελάτης είναι απαραίτητος apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} είναι υποχρεωτική για την Επιστροφή DocType: Purchase Order,To Receive,Να Λάβω +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Προσωπικό email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Συνολική διακύμανση DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Εάν είναι ενεργοποιημένο, το σύστημα θα καταχωρεί λογιστικές εγγραφές για την απογραφή αυτόματα." @@ -3725,7 +3739,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 +541,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,Πρότυπες πωλήσεις @@ -3733,7 +3747,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Εκτός εγγύησης DocType: BOM Replace Tool,Replace,Αντικατάσταση apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Δεν βρέθηκαν προϊόντα. -DocType: Production Order,Unstopped,ανεμπόδιστη apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} κατά το τιμολόγιο πώλησης {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Όνομα έργου @@ -3744,6 +3757,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} 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} ή έχει ήδη αντιπαραβληθεί με άλλο αποδεικτικό @@ -3780,9 +3794,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,"Το είδος {0} αγνοήθηκε, δεδομένου ότι δεν είναι ένα αποθηκεύσιμο είδος" +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 +40,Submit this Production Order for further processing.,Υποβολή αυτής της εντολής παραγωγής για περαιτέρω επεξεργασία. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,Θέσεις εργασίας @@ -3790,12 +3804,14 @@ 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 +209,Rate (%),Ποσοστό ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","Προσθέστε χρήστες για τον οργανισμό σας, εκτός από τον εαυτό σας" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Ρυθμίστε το φίλτρο Εταιρεία κενό, εάν η ομάδα είναι "Εταιρεία"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Απόσπαση ημερομηνία αυτή δεν μπορεί να είναι μελλοντική ημερομηνία apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Σειρά # {0}: Αύξων αριθμός {1} δεν ταιριάζει με το {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Περιστασιακή άδεια @@ -3824,7 +3840,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Καθολική καταχώρη apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Η στήλη πρέπει να είναι κενή +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Η στήλη πρέπει να είναι κενή DocType: Accounts Settings,Accounts Settings,Ρυθμίσεις λογαριασμών apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Εγκρίνω DocType: Customer,Sales Partner and Commission,Συνεργάτης Πωλήσεων και της Επιτροπής @@ -3839,7 +3855,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,Είδος ανάπτυξης Λ.Υ. DocType: Account,Auditor,Ελεγκτής -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} αντικείμενα που παράγονται +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,Απόδοση @@ -3853,7 +3869,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,Ισοτιμία -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,Διαχείριση στόλου @@ -3878,18 +3894,18 @@ 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 +705,Online,σε απευθείας σύνδεση +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} έχει απενεργοποιηθεί DocType: Employee Loan,Repay Fixed Amount per Period,Εξοφλήσει σταθερό ποσό ανά Περίοδο apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Παρακαλώ εισάγετε ποσότητα για το είδος {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Πιστωτική Σημείωση Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Πιστωτική Σημείωση Amt DocType: Employee External Work History,Employee External Work History,Ιστορικό εξωτερικών εργασιών υπαλλήλου DocType: Tax Rule,Purchase,Αγορά apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Ισολογισμός ποσότητας @@ -3914,7 +3930,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 +2383,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο DocType: Employee,Encashment Date,Ημερομηνία εξαργύρωσης DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Διευθέτηση αποθέματος @@ -3943,6 +3959,7 @@ DocType: Guardian,Guardian Of ,Guardian Από DocType: Grading Scale Interval,Threshold,Κατώφλι DocType: BOM Replace Tool,Current BOM,Τρέχουσα Λ.Υ. apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Προσθήκη σειριακού αριθμού +DocType: Production Order Item,Available Qty at Source Warehouse,Διαθέσιμος όγκος στην αποθήκη προέλευσης apps/erpnext/erpnext/config/support.py +22,Warranty,Εγγύηση DocType: Purchase Invoice,Debit Note Issued,Χρεωστικό σημείωμα που εκδόθηκε DocType: Production Order,Warehouses,Αποθήκες @@ -3958,13 +3975,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Πληρωμέ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Υπεύθυνος έργου ,Quoted Item Comparison,Εισηγμένες Στοιχείο Σύγκριση apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Αποστολή -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Η μέγιστη έκπτωση που επιτρέπεται για το είδος: {0} είναι {1}% +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 +279,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 +879,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο" DocType: Item,Material Issue,Έκδοση υλικού DocType: Hub Settings,Seller Description,Περιγραφή πωλητή DocType: Employee Education,Qualification,Προσόν @@ -3988,7 +4005,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορεί να γίνει ακύρωση, διότι υπάρχει καταχώρηση αποθέματος {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Δεν μπορεί να γίνει ακύρωση, διότι υπάρχει καταχώρηση αποθέματος {0}" DocType: Employee Loan,Disbursement Date,Ημερομηνία εκταμίευσης DocType: Vehicle,Vehicle,Όχημα DocType: Purchase Invoice,In Words,Με λόγια @@ -4008,7 +4025,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Για να ορίσετε την τρέχουσα χρήση ως προεπιλογή, κάντε κλικ στο 'ορισμός ως προεπιλογή'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Συμμετοχή apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Έλλειψη ποσότητας -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά DocType: Employee Loan,Repay from Salary,Επιστρέψει από το μισθό DocType: Leave Application,LAP/,ΑΓΚΑΛΙΆ/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Ζητώντας την καταβολή εναντίον {0} {1} για ποσό {2} @@ -4026,18 +4043,18 @@ 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 +1011,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Ο σειριακός αριθμός {0} έχει ήδη ληφθεί +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: Expense Claim,Vehicle Log,όχημα Σύνδεση DocType: Purchase Invoice,Recurring Id,Id επαναλαμβανόμενου DocType: Customer,Sales Team Details,Λεπτομέρειες ομάδας πωλήσεων -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Διαγραφή μόνιμα; +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Άκυρη {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Άκυρη {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Αναρρωτική άδεια DocType: Email Digest,Email Digest,Ενημερωτικό άρθρο email DocType: Delivery Note,Billing Address Name,Όνομα διεύθυνσης χρέωσης @@ -4050,6 +4067,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Χρεώσιμο DocType: Company,Change Abbreviation,Αλλαγή συντομογραφίας DocType: Expense Claim Detail,Expense Date,Ημερομηνία δαπάνης +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα DocType: Item,Max Discount (%),Μέγιστη έκπτωση (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Ποσό τελευταίας παραγγελίας DocType: Task,Is Milestone,Είναι ορόσημο @@ -4073,8 +4091,8 @@ DocType: Program Enrollment Tool,New Program,νέο Πρόγραμμα DocType: Item Attribute Value,Attribute Value,Χαρακτηριστικό αξία ,Itemwise Recommended Reorder Level,Προτεινόμενο επίπεδο επαναπαραγγελίας ανά είδος DocType: Salary Detail,Salary Detail,μισθός Λεπτομέρειες -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Παρακαλώ επιλέξτε {0} πρώτα -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Παρτίδα {0} του σημείου {1} έχει λήξει. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Παρακαλώ επιλέξτε {0} πρώτα +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Παρτίδα {0} του σημείου {1} έχει λήξει. DocType: Sales Invoice,Commission,Προμήθεια apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Ώρα Φύλλο για την κατασκευή. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Μερικό σύνολο @@ -4099,12 +4117,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 +399,Operation Time must be greater than 0 for Operation {0},Χρόνος λειτουργίας πρέπει να είναι μεγαλύτερη από 0 για τη λειτουργία {0} +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/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 +387,Production Order cannot be raised against a Item Template,Παραγγελία παραγωγής δεν μπορούν να προβληθούν κατά προτύπου στοιχείου +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,Ημερομηνία έναρξης @@ -4134,7 +4152,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Ημερομηνία διάθεσης DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Μηνύματα ηλεκτρονικού ταχυδρομείου θα αποσταλεί σε όλους τους ενεργούς υπαλλήλους της εταιρείας στη δεδομένη ώρα, αν δεν έχουν διακοπές. Σύνοψη των απαντήσεων θα αποσταλούν τα μεσάνυχτα." DocType: Employee Leave Approver,Employee Leave Approver,Υπεύθυνος έγκρισης αδειών υπαλλήλου -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Δεν μπορεί να δηλώθει ως απολεσθέν, επειδή έχει γίνει προσφορά." 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} πρέπει να υποβληθεί @@ -4167,6 +4185,7 @@ DocType: Announcement,Student,Φοιτητής apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Κύρια εγγραφή μονάδας (τμήματος) οργάνωσης. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Παρακαλώ εισάγετε ένα έγκυρο αριθμό κινητού apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Παρακαλώ εισάγετε το μήνυμα πριν από την αποστολή +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ΑΝΑΠΛΗΡΩΣΗ ΓΙΑ ΠΡΟΜΗΘΕΥΤΗ DocType: Email Digest,Pending Quotations,Εν αναμονή Προσφορές apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Προφίλ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Παρακαλώ ενημερώστε τις ρυθμίσεις SMS @@ -4175,7 +4194,7 @@ DocType: Cost Center,Cost Center Name,Όνομα κέντρου κόστους DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max ώρες εργασίας κατά Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Προγραμματισμένη ημερομηνία -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Συνολικό καταβεβλημένο ποσό +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Συνολικό καταβεβλημένο ποσό DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Τα μηνύματα που είναι μεγαλύτερα από 160 χαρακτήρες θα χωρίζονται σε πολλαπλά μηνύματα DocType: Purchase Receipt Item,Received and Accepted,Που έχουν παραληφθεί και έγιναν αποδεκτά ,GST Itemised Sales Register,GST Αναλυτικό Μητρώο Πωλήσεων @@ -4185,7 +4204,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 +237,Your Suppliers,Οι προμηθευτές σας +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',δεν μπορεί να εκπέσει όταν η κατηγορία είναι για την «Αποτίμηση» ή «Vaulation και Total» @@ -4197,7 +4216,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Ιστοσελίδα Εικόνα {0} επισυνάπτεται στη θέση {1} δεν μπορεί να βρεθεί +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.,Εμφάνισε το είδος σε πολλαπλές ομάδες στην ιστοσελίδα. @@ -4212,7 +4231,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Τι κάν apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Προς αποθήκη apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Όλα Εισαγωγή Φοιτητών ,Average Commission Rate,Μέσος συντελεστής προμήθειας -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Το πεδίο ""Έχει Σειριακό Αριθμό"" δεν μπορεί να είναι ""Ναι"" για μη αποθηκεύσιμα είδη." +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"Το πεδίο ""Έχει Σειριακό Αριθμό"" δεν μπορεί να είναι ""Ναι"" για μη αποθηκεύσιμα είδη." apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Η συμμετοχή δεν μπορεί να σημειωθεί για μελλοντικές ημερομηνίες DocType: Pricing Rule,Pricing Rule Help,Βοήθεια για τον κανόνα τιμολόγησης DocType: School House,House Name,Όνομα Σπίτι @@ -4228,7 +4247,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 +339,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,ημερομηνία Ασφαλιστική Αρχή θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης Ασφαλιστική @@ -4243,20 +4262,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Μισθός Slip των εργαζομένων {0} ήδη δημιουργήσει για φύλλο χρόνο {1} DocType: Vehicle Log,Odometer,Οδόμετρο DocType: Sales Order Item,Ordered Qty,Παραγγελθείσα ποσότητα -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη +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 +874,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,Λεπτομέρειες ανεφοδιασμού apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Δημιουργία βεβαιώσεων αποδοχών -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",Η επιλογή αγορά πρέπει να οριστεί αν είναι επιλεγμένο το πεδίο 'εφαρμοστέο σε' ως {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",Η επιλογή αγορά πρέπει να οριστεί αν είναι επιλεγμένο το πεδίο 'εφαρμοστέο σε' ως {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Η έκπτωση πρέπει να είναι μικρότερη από 100 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 +500,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,πρόγραμμα Εγγραφή DocType: Landed Cost Voucher,Landed Cost Voucher,Αποδεικτικό κόστους αποστολής εμπορευμάτων @@ -4315,7 +4334,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Η αναμενόμενη ημερομηνία δεν μπορεί να είναι προγενέστερη της ημερομηνία αίτησης υλικού DocType: Purchase Invoice Item,Stock Qty,Ποσότητα αποθέματος -DocType: Production Order,Source Warehouse (for reserving Items),Αποθήκη Πηγή (για την κράτηση των αντικειμένων) DocType: Employee Loan,Repayment Period in Months,Αποπληρωμή Περίοδος σε μήνες apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Σφάλμα: Δεν είναι ένα έγκυρο αναγνωριστικό; DocType: Naming Series,Update Series Number,Ενημέρωση αριθμού σειράς @@ -4363,7 +4381,7 @@ DocType: Production Order,Planned End Date,Προγραμματισμένη ημ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Πού αποθηκεύονται τα είδη DocType: Request for Quotation,Supplier Detail,Προμηθευτής Λεπτομέρειες apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Σφάλμα στον τύπο ή την κατάσταση: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Ποσό τιμολόγησης +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Ποσό τιμολόγησης DocType: Attendance,Attendance,Συμμετοχή apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Χρηματιστήριο Είδη DocType: BOM,Materials,Υλικά @@ -4403,10 +4421,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Ρύθμιση μια απλή ιστοσελίδα για τον οργανισμό μου +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0} DocType: Item,Default Warehouse,Προεπιλεγμένη αποθήκη apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Ο προϋπολογισμός δεν μπορεί να αποδοθεί κατά του λογαριασμού του Ομίλου {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Παρακαλώ εισάγετε γονικό κέντρο κόστους @@ -4465,7 +4483,7 @@ 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 +1344,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη +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/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,Αυτό βασίζεται στην προσέλευση του υπαλλήλου αυτού @@ -4473,6 +4491,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,Ημερομηνία έναρξης έτους DocType: Attendance,Employee Name,Όνομα υπαλλήλου DocType: Sales Invoice,Rounded Total (Company Currency),Στρογγυλοποιημένο σύνολο (νόμισμα της εταιρείας) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} Έχει τροποποιηθεί. Παρακαλώ ανανεώστε. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Σταματήστε τους χρήστες από το να κάνουν αιτήσεις αδειών για τις επόμενες ημέρες. @@ -4495,7 +4514,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Μέτρηση 3 ,Hub,Hub DocType: GL Entry,Voucher Type,Τύπος αποδεικτικού -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} πρέπει να οριστεί ως έχει φύγει @@ -4515,7 +4534,7 @@ DocType: POS Profile,Account for Change Amount,Ο λογαριασμός για apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Σειρά {0}: Πάρτι / λογαριασμός δεν ταιριάζει με {1} / {2} στο {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Παρακαλώ εισάγετε λογαριασμό δαπανών DocType: Account,Stock,Απόθεμα -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη" DocType: Employee,Current Address,Τρέχουσα διεύθυνση DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Εάν το είδος είναι μια παραλλαγή ενός άλλου είδους, τότε η περιγραφή, η εικόνα, η τιμολόγηση, οι φόροι κλπ θα οριστούν από το πρότυπο εκτός αν οριστούν ειδικά" DocType: Serial No,Purchase / Manufacture Details,Αγορά / λεπτομέρειες παραγωγής @@ -4553,11 +4572,12 @@ DocType: Student,Home Address,Διεύθυνση σπιτιού apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,μεταβίβαση περιουσιακών στοιχείων DocType: POS Profile,POS Profile,POS Προφίλ DocType: Training Event,Event Name,Όνομα συμβάντος -apps/erpnext/erpnext/config/schools.py +39,Admission,Άδεια +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Άδεια apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions για {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Θέση {0} είναι ένα πρότυπο, επιλέξτε μία από τις παραλλαγές του" DocType: Asset,Asset Category,Κατηγορία Παγίου +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Αγοραστής apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική DocType: SMS Settings,Static Parameters,Στατικές παράμετροι DocType: Assessment Plan,Room,Δωμάτιο @@ -4566,6 +4586,7 @@ DocType: Item,Item Tax,Φόρος είδους apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Υλικό Προμηθευτή apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Των ειδικών φόρων κατανάλωσης Τιμολόγιο apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Κατώφλι {0}% εμφανίζεται περισσότερες από μία φορά +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια DocType: Expense Claim,Employees Email Id,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,Βραχυπρόθεσμες υποχρεώσεις @@ -4637,6 +4658,7 @@ DocType: Leave Type,Is Carry Forward,Είναι μεταφορά σε άλλη apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,"Δεν Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών," ,Stock Summary,Χρηματιστήριο Περίληψη diff --git a/erpnext/translations/es-AR.csv b/erpnext/translations/es-AR.csv index 4928064718..83e0538140 100644 --- a/erpnext/translations/es-AR.csv +++ b/erpnext/translations/es-AR.csv @@ -1,6 +1,5 @@ DocType: Fee Structure,Components,Componentes DocType: Purchase Invoice Item,Item,Producto -apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,La fecha está repetida DocType: Payment Entry,Deductions or Loss,Deducciones o Pérdidas DocType: Cheque Print Template,Cheque Size,Tamaño de Cheque apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Hacer lotes de Estudiante diff --git a/erpnext/translations/es-CL.csv b/erpnext/translations/es-CL.csv index fdb814689d..6c6a9f152a 100644 --- a/erpnext/translations/es-CL.csv +++ b/erpnext/translations/es-CL.csv @@ -16,7 +16,6 @@ DocType: Grading Scale Interval,Grade Code,Grado de Código apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,La moneda de facturación debe ser igual a la moneda por defecto de la compañía o la moneda de la cuenta de la parte DocType: Fee Structure,Fee Structure,Estructura de Tarifas apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Calendario de Cursos creado: -DocType: Grading Scale,Grading Scale Intervals,Intervalos de Escala de Calificación DocType: Purchase Order,Get Items from Open Material Requests,Obtener Ítems de Solicitudes Abiertas de Materiales ,Batch Item Expiry Status,Estatus de Expiración de Lote de Ítems DocType: Guardian,Guardian Interests,Intereses del Guardián @@ -26,13 +25,11 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Monto Base (Divisa de Co DocType: Grading Scale,Grading Scale Name,Nombre de Escala de Calificación apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Número de Móvil de Guardián 2 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nombre de Guardián 2 -DocType: Grading Scale Interval,Grading Scale Interval,Intervalo de Escala de Calificación 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 +330,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 +361,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: Sales Invoice,Change Amount,Importe de Cambio 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-PE.csv b/erpnext/translations/es-PE.csv index f5a8d40b23..7e3c7e5e5b 100644 --- a/erpnext/translations/es-PE.csv +++ b/erpnext/translations/es-PE.csv @@ -1,7 +1,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Se trata de una persona de las ventas raíz y no se puede editar . apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer Valores Predeterminados , como Empresa , Moneda, Año Fiscal Actual, etc" DocType: HR Settings,Employee Settings,Configuración del Empleado -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Número de orden {0} no pertenece al elemento {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Número de orden {0} no pertenece al elemento {1} DocType: Naming Series,User must always select,Usuario elegirá siempre apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Empleado {0} ya se ha aplicado para {1} entre {2} y {3} DocType: Account,Cost of Goods Sold,Costo de las Ventas @@ -12,7 +12,7 @@ DocType: Packing Slip,From Package No.,Del Paquete 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/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Promedio de Compra -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Número de orden {0} creado +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 DocType: Production Order Operation,"in Minutes Updated via 'Time Log'",En minutos actualizado a través de 'Bitácora de tiempo' @@ -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 +368,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 +363,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 @@ -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 +436,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 +437,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 @@ -112,7 +112,7 @@ DocType: Email Digest,Next email will be sent on:,Siguiente correo electrónico apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Nº de caso ya en uso. Intente Nº de caso {0} 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 +158,"Sorry, Serial Nos cannot be merged","Lo sentimos , Nos de serie no se puede fusionar" +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 +766,Make ,Hacer DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Manufactura DocType: Appraisal Template,Appraisal Template Title,Titulo de la Plantilla deEvaluación @@ -132,7 +132,7 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,En pala apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +270,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 +177,Serial number {0} entered more than once,Número de serie {0} entraron más de una vez +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 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Lista de receptores está vacía. Por favor, cree Lista de receptores" DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,El identificador único para el seguimiento de todas las facturas recurrentes. Se genera al enviar . DocType: Target Detail,Target Detail,Objetivo Detalle @@ -158,17 +158,17 @@ DocType: Purchase Invoice Item,Rate (Company Currency),Precio (Moneda Local) apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +56,Convert to Group,Convertir al Grupo DocType: Hub Settings,Seller Name,Nombre del Vendedor apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} registros de pago no se pueden filtrar por {1} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Número de orden {0} no está en stock +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Número de orden {0} no está en stock apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Fecha Ref apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Balanza de Estado de Cuenta Bancario según Libro Mayor DocType: Naming Series,Setup Series,Serie de configuración DocType: Production Order Operation,Actual Start Time,Hora de inicio actual -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1} apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Cuidado de la Salud 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 +559,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada +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/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 @@ -192,7 +192,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 DocType: Employee,Leave Approvers,Supervisores de Vacaciones apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +149,Please specify a valid Row ID for row {0} in table {1},"Por favor, especifique un ID de fila válida para la fila {0} en la tabla {1}" DocType: Customer Group,Parent Customer Group,Categoría de cliente principal -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total Monto Pendiente +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Total Monto Pendiente DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Seleccione Distribución Mensual de distribuir de manera desigual a través de objetivos meses. apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Necesita habilitar Carito de Compras apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} es obligatorio para su devolución @@ -202,7 +202,7 @@ 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 +201,"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 +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/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 @@ -214,7 +214,7 @@ apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection req 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 +707,Make Sales Order,Hacer Orden de Venta -apps/erpnext/erpnext/public/js/setup_wizard.js +219,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 +244,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 @@ -246,12 +246,13 @@ DocType: Item,Website Item Groups,Grupos de Artículos del Sitio Web apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Gastos de Comercialización apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdido , porque la cotización ha sido hecha." DocType: Leave Allocation,New Leaves Allocated,Nuevas Vacaciones Asignadas +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Asset Movement,Source Warehouse,fuente de depósito apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos todavía apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipo Root es obligatorio DocType: Training Event,Scheduled,Programado DocType: Salary Detail,Depends on Leave Without Pay,Depende de ausencia sin pago -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total Pagado Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total Pagado Amt 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 el último pedido' debe ser mayor o igual a cero DocType: Material Request Item,For Warehouse,Por almacén ,Purchase Order Items To Be Received,Productos de la Orden de Compra a ser Recibidos @@ -261,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 +1165,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 +1086,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 @@ -274,11 +275,11 @@ 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 +408,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1} +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/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 +164,{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/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 +847,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 @@ -300,8 +301,8 @@ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Transactions can only be deleted by the creator of the Company,Las transacciones sólo pueden ser borrados por el creador de la Compañía 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 +273,We buy this Item,Compramos este artículo +apps/erpnext/erpnext/hooks.py +94,Shipments,Los envíos +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -334,7 +335,7 @@ apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Evaluación del De DocType: Quality Inspection Reading,Quality Inspection Reading,Lectura de Inspección de Calidad DocType: Purchase Invoice Item,Net Amount (Company Currency),Importe neto (moneda de la compañía) DocType: Sales Order,Track this Sales Order against any Project,Seguir este de órdenes de venta en contra de cualquier proyecto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Ventas debe ser seleccionado, si se selecciona Aplicable Para como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Ventas debe ser seleccionado, si se selecciona Aplicable Para como {0}" DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantener misma tasa durante todo el ciclo de ventas DocType: Employee External Work History,Salary,Salario apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Inventario de Pasivos @@ -353,7 +354,7 @@ DocType: Serial No,Warranty Period (Days),Período de garantía ( Días) DocType: Selling Settings,Campaign Naming By,Nombramiento de la Campaña Por apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +124,You are the Expense Approver for this record. Please Update the 'Status' and Save,Usted es el Supervisor de Gastos para este registro. Actualice el 'Estado' y Guarde DocType: Material Request,Terms and Conditions Content,Términos y Condiciones Contenido -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Número de orden {0} no pertenece al Almacén {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Número de orden {0} no pertenece al Almacén {1} DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Compras Regla de envío apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +36,Make Payment Entry,Registrar pago DocType: Maintenance Schedule Detail,Scheduled Date,Fecha prevista @@ -361,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 +228,Contact Name,Nombre del Contacto +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -401,12 +402,12 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +35,Delivery Not apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial # DocType: Delivery Note,Vehicle No,Vehículo No DocType: Lead,Lower Income,Ingreso Bajo -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicar Serie No existe para la partida {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +205,Duplicate Serial No entered for Item {0},Duplicar Serie No existe para la partida {0} apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Delivered Amount,Cantidad Entregada 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,Max: {0},Max: {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{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 @@ -418,7 +419,7 @@ apps/erpnext/erpnext/accounts/general_ledger.py +142,Please mention Round Off Ac apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Número de orden {0} no pertenece a la nota de entrega {1} 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 +153,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 +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 +61,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 @@ -456,13 +457,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electrónica DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Cuentas (o grupos) contra el que las entradas contables se hacen y los saldos se mantienen. DocType: Journal Entry Account,If Income or Expense,Si es un ingreso o egreso -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada para reordenar ya existe para este almacén {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada para reordenar ya existe para este almacén {1} DocType: Lead,Lead,Iniciativas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},No hay suficiente saldo para Tipo de Vacaciones {0} apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquee solicitud de ausencias por departamento. apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Repita los Clientes DocType: Account,Depreciation,Depreciación -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Por favor, cree Cliente de la Oportunidad {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Por favor, cree Cliente de la Oportunidad {0}" DocType: Payment Request,Make Sales Invoice,Hacer Factura de Venta DocType: Purchase Invoice,Supplier Invoice No,Factura del Proveedor No DocType: Payment Gateway Account,Payment Account,Pago a cuenta @@ -492,9 +493,9 @@ 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 +441,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 +442,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 +116,Issues,Problemas +apps/erpnext/erpnext/hooks.py +124,Issues,Problemas DocType: BOM Replace Tool,Current BOM,Lista de materiales actual apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Fila # {0}: DocType: Timesheet,% Amount Billed,% Monto Facturado @@ -515,7 +516,7 @@ DocType: Notification Control,Send automatic emails to Contacts on Submitting tr 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 producto {1} apps/erpnext/erpnext/config/hr.py +110,Salary template master.,Plantilla Maestra para Salario . apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No se puede cambiar la moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas para cambiar la moneda por defecto." -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,La lista de materiales por defecto ({0}) debe estar activa para este producto o plantilla +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,La lista de materiales por defecto ({0}) debe estar activa para este producto o plantilla apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este centro de costos es un grupo. No se pueden crear asientos contables en los grupos. DocType: Email Digest,How frequently?,¿Con qué frecuencia ? DocType: C-Form Invoice Detail,Invoice No,Factura No @@ -542,7 +543,7 @@ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Sup DocType: Stock Entry,Subcontract,Subcontrato DocType: Customer,From Lead,De la iniciativa DocType: GL Entry,Party,Socio -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualización de Costos +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Actualización de Costos DocType: BOM,Last Purchase Rate,Tasa de Cambio de la Última Compra DocType: Bin,Actual Quantity,Cantidad actual DocType: Asset Movement,Stock Manager,Gerente @@ -553,7 +554,7 @@ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No. DocType: Employee,Health Details,Detalles de la Salud DocType: Maintenance Visit,Unscheduled,No Programada DocType: Purchase Receipt,Other Details,Otros Datos -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Compra debe comprobarse, si se selecciona Aplicable Para como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Compra debe comprobarse, si se selecciona Aplicable Para como {0}" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Entradas de cierre de período apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,El costo de artículos comprados DocType: Company,Delete Company Transactions,Eliminar Transacciones de la empresa @@ -590,18 +591,18 @@ 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 +209,Rate (%),Procentaje (% ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +257,"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 +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." 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida {0} se ha introducido más de una vez en la Tabla de Factores de Conversió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 {0} se ha introducido más de una vez en la Tabla de Factores de Conversión apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,'Desde Moneda' y 'A Moneda' no puede ser la misma DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustes por defecto para Compras apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Centro de Costos de las transacciones existentes no se puede convertir al grupo @@ -634,7 +635,7 @@ 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 +562,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada +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/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}" @@ -687,7 +688,7 @@ DocType: Request for Quotation Item,Project Name,Nombre del proyecto ,Serial No Warranty Expiry,Número de orden de caducidad Garantía DocType: Request for Quotation,Manufacturing Manager,Gerente de Manufactura DocType: BOM,Item UOM,Unidad de Medida del Artículo -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total Monto Facturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Total Monto Facturado DocType: Leave Application,Total Leave Days,Total Vacaciones apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta. DocType: Appraisal Goal,Score Earned,Puntuación Obtenida @@ -705,7 +706,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 +541,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 +542,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 . @@ -717,7 +718,7 @@ DocType: Naming Series,Change the starting / current sequence number of an exist DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depósito sólo se puede cambiar a través de la Entrada de Almacén / Nota de Entrega / Recibo de Compra DocType: Quotation,Quotation To,Cotización Para apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Seleccione el año fiscal -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"'Tiene Número de Serie' no puede ser ""Sí"" para elementos que son de inventario" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"'Tiene Número de Serie' no puede ser ""Sí"" para elementos que son de inventario" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Efectivo Disponible DocType: Salary Component,Earning,Ganancia apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,"Por favor, especifique la moneda en la compañía" @@ -763,7 +764,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 +40,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 +102,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 @@ -774,7 +775,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 +269,Unit,Unidad +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -797,9 +798,9 @@ 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 +272,We sell this Item,Vendemos este artículo +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 +256,Your Products or Services,Sus productos o servicios +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}. 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. @@ -816,7 +817,7 @@ DocType: Purchase Invoice,Terms,Términos apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Proveedor (s) DocType: Serial No,Serial No Details,Serial No Detalles DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Permitir al usuario editar Precio de Lista en las transacciones -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +234,Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0} 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 @@ -828,7 +829,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Consultas de soporte de clientes . apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotizaciones a Oportunidades o Clientes apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Cantidad Consumida -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos" DocType: Purchase Order Item,Supplier Part Number,Número de pieza del proveedor apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Desde fecha' debe ser después de 'Hasta Fecha' apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Cuenta con nodos hijos no se puede convertir a cuentas del libro mayor @@ -928,7 +929,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 +342,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 +343,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 @@ -947,7 +948,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 +546,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada +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/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 @@ -958,7 +959,7 @@ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20 DocType: SMS Settings,Enter url parameter for receiver nos,Introduzca el parámetro url para el receptor no ,Cash Flow,Flujo de Caja DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Función que esta autorizada a presentar las transacciones que excedan los límites de crédito establecidos . -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} No. de serie válidos para el producto {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} No. de serie válidos para el producto {1} DocType: Stock Settings,Default Stock UOM,Unidad de Medida Predeterminada para Inventario DocType: Job Opening,Description of a Job Opening,Descripción de una oferta de trabajo apps/erpnext/erpnext/controllers/trends.py +269,Project-wise data is not available for Quotation,El seguimiento preciso del proyecto no está disponible para la cotización-- @@ -968,7 +969,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 +418,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 +419,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. @@ -990,7 +991,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Agains apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: Rechazado Cantidad no se puede introducir en la Compra de Retorno apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de Material para Manufactura -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos" 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 . @@ -1032,12 +1033,12 @@ 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 +269,Nos,Números +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 DocType: Employee,Contact Details,Datos del Contacto -apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Almacén {0} no pertenece a la empresa {1} +apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Almacén {0} no pertenece a la empresa {1} apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,El artículo {0} no puede tener lotes DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Los usuarios que pueden aprobar las solicitudes de licencia de un empleado específico apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generar Solicitudes de Material ( MRP ) y Órdenes de Producción . @@ -1055,7 +1056,7 @@ apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Up DocType: Opportunity,Opportunity Date,Oportunidad Fecha apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Sube saldo de existencias a través csv . 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 podría ser que usted no ha guardado el formulario. Por favor, póngase en contacto con support@erpnext.com si el problema persiste." -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para cada elemento: {0} es {1}% +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para cada elemento: {0} es {1}% ,POS,POS apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Fecha Final no puede ser inferior a Fecha de Inicio 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" @@ -1063,7 +1064,7 @@ DocType: Supplier,Contact HTML,HTML del Contacto DocType: Shipping Rule,Calculate Based On,Calcular basado en DocType: Production Order,Qty To Manufacture,Cantidad Para Fabricación DocType: BOM Item,Basic Rate (Company Currency),Precio Base (Moneda Local) -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Monto Total Soprepasado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Monto Total Soprepasado apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Monto Sobrepasado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Fila {0}: Crédito no puede vincularse con {1} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Tarjeta de Crédito @@ -1078,8 +1079,8 @@ apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cann apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condiciones coincidentes encontradas entre : apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Por favor, especifique 'Desde el caso No.' válido" DocType: Process Payroll,Make Bank Entry,Hacer Entrada del Banco -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artículo o Bodega para la fila {0} no coincide Solicitud de material -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Artículo o Bodega para la fila {0} no coincide Solicitud de material +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Deudores DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Establecer presupuestos - Grupo sabio artículo en este Territorio. También puede incluir la estacionalidad mediante el establecimiento de la Distribución . DocType: Territory,For reference,Por referencia @@ -1088,8 +1089,8 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Sli DocType: Sales Invoice,Rounded Total (Company Currency),Total redondeado (Moneda local) DocType: Item,Default BOM,Solicitud de Materiales por Defecto ,Delivery Note Trends,Tendencia de Notas de Entrega -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Número de orden {0} ya se ha recibido -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ingresado dos veces en el Impuesto del producto +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Número de orden {0} ya se ha recibido +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ingresado dos veces en el Impuesto del producto apps/erpnext/erpnext/config/projects.py +13,Project master.,Proyecto maestro apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sólo puede haber una Condición de Regla de Envió con valor 0 o valor en blanco para ""To Value""" DocType: Item Group,Item Group Name,Nombre del grupo de artículos @@ -1109,9 +1110,9 @@ 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 DocType: Item,Weight UOM,Peso Unidad de Medida -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +173,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 +194,Serial No {0} quantity {1} cannot be a fraction,Número de orden {0} {1} cantidad no puede ser una fracción +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 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +131,Successfully Reconciled,Reconciliado con éxito DocType: Process Payroll,Select Employees,Seleccione Empleados diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv index 0bce6fdf8e..08b3fb4250 100644 --- a/erpnext/translations/es.csv +++ b/erpnext/translations/es.csv @@ -5,7 +5,7 @@ DocType: Buying Settings,Allow Item to be added multiple times in a transaction, apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +33,Cancel Material Visit {0} before cancelling this Warranty Claim,Cancelar visita {0} antes de cancelar este reclamo de garantía apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Productos de consumo DocType: Item,Customer Items,Partidas de deudores -DocType: Project,Costing and Billing,Cálculo de costos y facturación +DocType: Project,Costing and Billing,Cálculo de Costos y Facturación apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: la cuenta padre {1} no puede ser una cuenta de libro mayor DocType: Item,Publish Item to hub.erpnext.com,Publicar artículo en hub.erpnext.com apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notificaciones por correo electrónico @@ -17,13 +17,13 @@ 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 +194,"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 +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" 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 apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},La divisa/moneda es requerida para lista de precios {0} DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Será calculado en la transacción. -DocType: Purchase Order,Customer Contact,Contacto del cliente +DocType: Purchase Order,Customer Contact,Contacto del Cliente DocType: Job Applicant,Job Applicant,Solicitante de empleo apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Esto se basa en transacciones con este proveedor. Ver cronología abajo para más detalles apps/erpnext/erpnext/hub_node/page/hub/hub_body.html +18,No more results.,No hay más resultados. @@ -54,16 +54,16 @@ DocType: SMS Parameter,Parameter,Parámetro apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,La fecha prevista de finalización no puede ser inferior a la fecha prevista de inicio apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Línea # {0}: El valor debe ser el mismo que {1}: {2} ({3} / {4}) apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nueva solicitud de ausencia -,Batch Item Expiry Status,Lotes artículo Estado de caducidad +,Batch Item Expiry Status,Estado de Caducidad de Lote de Productos apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Giro bancario 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 +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 +669,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 +DocType: Employee Education,Year of Passing,Año de Finalización DocType: Item,Country of Origin,País de origen apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,En inventario apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Problemas abiertos @@ -71,8 +71,8 @@ DocType: Production Plan Item,Production Plan Item,Plan de producción de produc apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado al empleado {1} 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 servicio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,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/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 +808,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 @@ -83,13 +83,13 @@ DocType: Appraisal Goal,Score (0-5),Puntuación (0-5) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Línea {0}: {1} {2} no coincide con {3} 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,Vehículo No. +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/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 DocType: Employee,Holiday List,Lista de festividades -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contador +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Contador DocType: Cost Center,Stock User,Usuario de almacén DocType: Company,Phone No,Teléfono No. apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Calendario de cursos creados: @@ -101,7 +101,7 @@ DocType: Asset,Value After Depreciation,Valor después de Depreciación DocType: Employee,O+,O + apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,Relacionado apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,La fecha de la asistencia no puede ser inferior a la fecha de ingreso de los empleados -DocType: Grading Scale,Grading Scale Name,Nombre Escala de clasificación +DocType: Grading Scale,Grading Scale Name,Nombre de Escala de Calificación apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Esta es una cuenta raíz y no se puede editar. DocType: Sales Invoice,Company Address,Dirección de la Compañía DocType: BOM,Operations,Operaciones @@ -110,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} 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 +269,Kg,Kilogramo +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,18 +120,18 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,Casado apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},No está permitido para {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obtener artículos de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +30,Grocery,Abarrotes DocType: Quality Inspection Reading,Reading 1,Lectura 1 -DocType: Process Payroll,Make Bank Entry,Crear entrada de banco +DocType: Process Payroll,Make Bank Entry,Crear Entrada de Banco apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Fondo de pensiones -apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Siguiente Depreciación La fecha no puede ser anterior a la fecha de compra +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 +1673,Not items found,No se encontraron artículos +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Reportes de Stock DocType: Warehouse,Warehouse Detail,Detalles del Almacén apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito ha sido sobrepasado para el cliente {0} {1}/{2} 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.,"La fecha final de duración no puede ser posterior a la fecha de fin 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Desde {0} a {1} DocType: Item,Copy From Item Group,Copiar desde grupo DocType: Journal Entry,Opening Entry,Asiento de apertura -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Sólo cuenta de pago DocType: Employee Loan,Repay Over Number of Periods,Devolver a lo largo Número de periodos DocType: Stock Entry,Additional Costs,Costes adicionales @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Bienes raíces -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Estado de cuenta +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 DocType: Purchase Invoice Item,Is Fixed Asset,Es activo fijo apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Cantidad disponible es {0}, necesita {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumible +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -201,7 +201,7 @@ apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} está cong 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 -apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Por favor, introduzca preferido del contacto de correo electrónico" +apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Por favor, introduzca el contacto de correo electrónico preferido" DocType: Program Enrollment,School Bus,Autobús Escolar DocType: Journal Entry,Contra Entry,Entrada contra DocType: Journal Entry Account,Credit in Company Currency,Divisa por defecto de la cuenta de credito @@ -211,37 +211,38 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Ejemplo: Matemáticas Básicas +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/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 +DocType: Sales Invoice,Change Amount,Importe de Cambio DocType: BOM Replace Tool,New BOM,Nueva Solicitud de Materiales DocType: Depreciation Schedule,Make Depreciation Entry,Hacer la Entrada de Depreciación DocType: Appraisal Template Goal,KRA,KRA DocType: Lead,Request Type,Tipo de solicitud -apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Crear empleado +apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Crear Empleado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Difusión apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Ejecución apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalles de las operaciones realizadas. -DocType: Serial No,Maintenance Status,Estado del mantenimiento +DocType: Serial No,Maintenance Status,Estado del Mantenimiento apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: se requiere un proveedor para la cuenta por pagar {2} -apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Productos y precios +apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Productos y Precios apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Horas totales: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},La fecha 'Desde' tiene que pertenecer al rango del año fiscal = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citas DocType: Customer,Individual,Individual DocType: Interest,Academics User,académicos usuario DocType: Cheque Print Template,Amount In Figure,Monto en Figura DocType: Employee Loan Application,Loan Info,Información del Préstamo apps/erpnext/erpnext/config/maintenance.py +12,Plan for maintenance visits.,Plan para las visitas DocType: SMS Settings,Enter url parameter for message,Introduzca el parámetro url para el mensaje -DocType: POS Profile,Customer Groups,Grupos de clientes +DocType: POS Profile,Customer Groups,Grupos de Clientes apps/erpnext/erpnext/public/js/financial_statements.js +51,Financial Statements,Estados Financieros DocType: Guardian,Students,Estudiantes apps/erpnext/erpnext/config/selling.py +91,Rules for applying pricing and discount.,Reglas para la aplicación de distintos precios y descuentos sobre los productos. @@ -259,13 +260,13 @@ DocType: SG Creation Tool Course,SG Creation Tool Course,SG Curso herramienta de apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,insuficiente Stock DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desactivar planificación de capacidad y seguimiento de tiempo DocType: Email Digest,New Sales Orders,Nueva orden de venta (OV) -DocType: Bank Guarantee,Bank Account,Cuenta bancaria +DocType: Bank Guarantee,Bank Account,Cuenta Bancaria DocType: Leave Type,Allow Negative Balance,Permitir Saldo Negativo DocType: Employee,Create User,Crear usuario DocType: Selling Settings,Default Territory,Territorio predeterminado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televisión DocType: Production Order Operation,Updated via 'Time Log',Actualizado a través de la gestión de tiempos -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Cantidad de avance no puede ser mayor que {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Cantidad de avance no puede ser mayor que {0} {1} DocType: Naming Series,Series List for this Transaction,Lista de secuencias para esta transacción DocType: Company,Enable Perpetual Inventory,Habilitar Inventario Perpetuo DocType: Company,Default Payroll Payable Account,La nómina predeterminada de la cuenta por pagar @@ -273,7 +274,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 instructor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,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 +175,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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nombre de contacto +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,La fecha de relevo debe ser mayor que la fecha de inicio apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ausencias por año 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 +189,Warehouse {0} does not belong to company {1},El almacén {0} no pertenece a la compañía {1} +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 +270,Litre,Litro +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Asientos Bancarios apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Elemento de reconciliación de inventarios @@ -315,19 +316,19 @@ 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 +316,People who teach at your organisation,Personas que enseñan en su organización +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 DocType: Pricing Rule,Supplier Type,Tipo de proveedor DocType: Course Scheduling Tool,Course Start Date,Fecha de inicio del Curso -,Student Batch-Wise Attendance,Discontinuo asistencia de los estudiantes +,Student Batch-Wise Attendance,Asistencia de Estudiantes por Lote DocType: POS Profile,Allow user to edit Rate,Permitir al usuario editar Tasa 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 +699,Item {0} is cancelled,El producto {0} esta cancelado -apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Solicitud de materiales +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 +882,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} @@ -365,9 +366,9 @@ apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconcil DocType: Item,Synced With Hub,Sincronizado con Hub. DocType: Vehicle,Fleet Manager,Gerente de Fota apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +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 +368,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 +363,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,13 +379,13 @@ apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) fou DocType: Lead,Industry,Industria DocType: Employee,Job Profile,Perfil del puesto 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: 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 +815,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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} se ingresó dos veces en impuesto del artículo +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} se ingresó dos veces en impuesto del artículo apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resumen para esta semana y actividades pendientes DocType: Student Applicant,Admitted,Aceptado DocType: Workstation,Rent Cost,Costo de arrendamiento @@ -417,12 +418,12 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Recibido apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Crear grupos de estudiantes apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,La configuración ya se ha completado! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Monto de Nota de Credito +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Monto de Nota de Credito ,Finished Goods,Productos terminados DocType: Delivery Note,Instructions,Instrucciones DocType: Quality Inspection,Inspected By,Inspección realizada por DocType: Maintenance Visit,Maintenance Type,Tipo de Mantenimiento -apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} no está inscrito en el curso {2} +apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} no está inscrito en el Curso {2} apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},El número de serie {0} no pertenece a la nota de entrega {1} apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,Demostración ERPNext apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Añadir los artículos @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Crear un nuevo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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/utilities/activation.py +88,Create Purchase Orders,Crear órdenes de compra ,Purchase Register,Registro de compras DocType: Course Scheduling Tool,Rechedule,Reprogramar @@ -467,9 +469,9 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py DocType: Journal Entry Account,Sales Order,Orden de venta (OV) apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selling Rate,Precio de venta promedio DocType: Assessment Plan,Examiner Name,Nombre del examinador -DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y precios +DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y Precios DocType: Delivery Note,% Installed,% Instalado -apps/erpnext/erpnext/public/js/setup_wizard.js +330,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 +361,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 @@ -489,12 +491,12 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla Atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla Atributos DocType: HR Settings,Employee record is created using selected field. ,El registro del empleado se crea utilizando el campo seleccionado. DocType: Sales Order,Not Applicable,No aplicable apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Master de vacaciones . DocType: Request for Quotation Item,Required Date,Fecha de solicitud -DocType: Delivery Note,Billing Address,Dirección de facturación +DocType: Delivery Note,Billing Address,Dirección de Facturación DocType: BOM,Costing,Presupuesto DocType: Tax Rule,Billing County,Condado de facturación 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 valor del impuesto se considerará como ya incluido en el importe" @@ -522,9 +524,9 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} DocType: Customer,Buyer of Goods and Services.,Consumidor de productos y servicios. 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: Pricing Rule,Valid Upto,Válido Hasta DocType: Training Event,Workshop,Taller -apps/erpnext/erpnext/public/js/setup_wizard.js +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its 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, ingrese el almacén en el cual la requisición de materiales sera despachada" DocType: Production Order,Additional Operating Cost,Costos adicionales de operación apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosméticos -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para fusionar, la siguientes propiedades deben ser las mismas en ambos productos" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Para fusionar, la siguientes propiedades deben ser las mismas en ambos productos" DocType: Shipping Rule,Net Weight,Peso neto DocType: Employee,Emergency Phone,Teléfono de Emergencia apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Comprar @@ -547,7 +549,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 +2428,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 +2522,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 @@ -560,13 +562,13 @@ DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible DocType: BOM,Operating Cost,Costo de Operación DocType: Sales Order Item,Gross Profit,Beneficio Bruto apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incremento no puede ser 0 -DocType: Production Planning Tool,Material Requirement,Solicitud de material +DocType: Production Planning Tool,Material Requirement,Solicitud de Material DocType: Company,Delete Company Transactions,Eliminar las transacciones de la compañía apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias DocType: Purchase Receipt,Add / Edit Taxes and Charges,Añadir / Editar Impuestos y Cargos DocType: Purchase Invoice,Supplier Invoice No,Factura de proveedor No. DocType: Territory,For reference,Para referencia -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","No se puede eliminar el No. de serie {0}, ya que esta siendo utilizado en transacciones de stock" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","No se puede eliminar el No. de serie {0}, ya que esta siendo utilizado en transacciones de stock" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Cierre (Cred) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Mover Elemento DocType: Serial No,Warranty Period (Days),Período de garantía (Días) @@ -578,7 +580,7 @@ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to 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 apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,El almacén del proveedor es necesario para compras sub-contratadas -DocType: Pricing Rule,Valid From,Válido desde +DocType: Pricing Rule,Valid From,Válido Desde DocType: Sales Invoice,Total Commission,Comisión total DocType: Pricing Rule,Sales Partner,Socio de ventas DocType: Buying Settings,Purchase Receipt Required,Recibo de compra requerido @@ -587,35 +589,36 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Por favor, seleccione la compañía y el tipo de entidad" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanzas / Ejercicio contable. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valores acumulados -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Lamentablemente, los numeros de serie no se puede fusionar" -apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Crear orden de venta +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Lamentablemente, los numeros de serie no se puede fusionar" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Crear Orden de Venta DocType: Project Task,Project Task,Tareas del proyecto ,Lead Id,ID de iniciativa DocType: C-Form Invoice Detail,Grand Total,Total DocType: Training Event,Course,Curso -DocType: Timesheet,Payslip,recibo de sueldo +DocType: Timesheet,Payslip,Recibo de Sueldo apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Articulo de Carrito de Compras apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +38,Fiscal Year Start Date should not be greater than Fiscal Year End Date,La fecha de inicio no puede ser mayor que la fecha final del año fiscal DocType: Issue,Resolution,Resolución DocType: C-Form,IV,IV apps/erpnext/erpnext/templates/pages/order.html +53,Delivered: {0},Entregado: {0} DocType: Expense Claim,Payable Account,Cuenta por pagar -DocType: Payment Entry,Type of Payment,Tipo de pago +DocType: Payment Entry,Type of Payment,Tipo de Pago DocType: Sales Order,Billing and Delivery Status,Estado de facturación y entrega DocType: Job Applicant,Resume Attachment,Adjunto curriculum vitae apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clientes recurrentes DocType: Leave Control Panel,Allocate,Asignar apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Devoluciones de ventas -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,Nota: Las hojas totales asignados {0} no debe ser inferior a las hojas ya aprobados {1} para el período +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,Nota: Las vacaciones totales asignadas {0} no debe ser inferior a las vacaciones ya aprobadas {1} para el período +,Total Stock Summary,Total de Acciones DocType: Announcement,Posted By,Publicado por -DocType: Item,Delivered by Supplier (Drop Ship),Entregado por el Proveedor (nave) +DocType: Item,Delivered by Supplier (Drop Ship),Entregado por el Proveedor (Envío Triangulado) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Base de datos de clientes potenciales. DocType: Authorization Rule,Customer or Item,Cliente o artículo -apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de datos de clientes. +apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de datos de Clientes. DocType: Quotation,Quotation To,Presupuesto para DocType: Lead,Middle Income,Ingreso medio apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Apertura (Cred) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidad de medida predeterminada para el artículo {0} no se puede cambiar directamente porque ya ha realizado alguna transacción (s) con otra UOM. Usted tendrá que crear un nuevo elemento a utilizar un UOM predeterminado diferente. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidad de medida predeterminada para el artículo {0} no se puede cambiar directamente porque ya ha realizado alguna transacción (s) con otra UOM. Usted tendrá que crear un nuevo elemento a utilizar un UOM predeterminado diferente. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Monto asignado no puede ser negativo apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Por favor establezca la empresa DocType: Purchase Order Item,Billed Amt,Monto facturado @@ -636,11 +639,12 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Maestros DocType: Assessment Plan,Maximum Assessment Score,Puntuación máxima de Evaluación apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Actualizar Fechas de Transacciones Bancarias apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Seguimiento de Tiempo +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICADO PARA TRANSPORTE DocType: Fiscal Year Company,Fiscal Year Company,Año fiscal de la compañía DocType: Packing Slip Item,DN Detail,Detalle DN DocType: Training Event,Conference,Conferencia DocType: Timesheet,Billed,Facturado -DocType: Batch,Batch Description,Descripción de lotes +DocType: Batch,Batch Description,Descripción de Lotes apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Crear grupos de estudiantes apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Cuenta de Pasarela de Pago no creada, por favor crear una manualmente." DocType: Sales Invoice,Sales Taxes and Charges,Impuestos y cargos sobre ventas @@ -675,8 +679,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 +320,Timesheet created:,Tabla de Tiempo creada: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -689,7 +693,7 @@ DocType: BOM Operation,Base Hour Rate(Company Currency),La tarifa básica de Hor apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Delivered Amount,Importe entregado DocType: Supplier,Fixed Days,Días fijos DocType: Quotation Item,Item Balance,Saldo de Elemento -DocType: Sales Invoice,Packing List,Lista de embalaje +DocType: Sales Invoice,Packing List,Lista de Embalaje apps/erpnext/erpnext/config/buying.py +28,Purchase Orders given to Suppliers.,Órdenes de compra enviadas a los proveedores. apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +43,Publishing,Publicación DocType: Activity Cost,Projects User,Usuario de proyectos @@ -697,7 +701,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} 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 +218,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 +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} ,GST Itemised Purchase Register,Registro detallado de la TPS @@ -705,17 +709,17 @@ 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 +139,Finish,Terminar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Terminar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Base DocType: Timesheet,Total Billed Hours,Total de Horas Facturadas -DocType: Journal Entry,Write Off Amount,Importe de desajuste +DocType: Journal Entry,Write Off Amount,Importe de Desajuste DocType: Journal Entry,Bill No,Factura No. DocType: Company,Gain/Loss Account on Asset Disposal,Cuenta ganancia / pérdida en la disposición de activos DocType: Vehicle Log,Service Details,Detalles del servicio DocType: Purchase Invoice,Quarterly,Trimestral DocType: Selling Settings,Delivery Note Required,Nota de entrega requerida DocType: Bank Guarantee,Bank Guarantee Number,Número de Garantía Bancaria -DocType: Assessment Criteria,Assessment Criteria,Criterios de evaluación +DocType: Assessment Criteria,Assessment Criteria,Criterios de Evaluación DocType: BOM Item,Basic Rate (Company Currency),Precio base (Divisa por defecto) DocType: Student Attendance,Student Attendance,Asistencia del estudiante DocType: Sales Invoice Timesheet,Time Sheet,Hoja de horario @@ -729,7 +733,7 @@ DocType: Account,Accounts,Cuentas 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 +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/hr/doctype/salary_structure/salary_structure.js +369,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 @@ -738,14 +742,14 @@ DocType: Hub Settings,Seller City,Ciudad de vendedor ,Absent Student Report,Informe del alumno ausente DocType: Email Digest,Next email will be sent on:,El siguiente correo electrónico será enviado el: DocType: Offer Letter Term,Offer Letter Term,Términos de carta de oferta -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,El producto tiene variantes. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,El producto tiene variantes. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Producto {0} no encontrado DocType: Bin,Stock Value,Valor de Inventarios apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Compañía {0} no existe apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,Tipo de árbol DocType: BOM Explosion Item,Qty Consumed Per Unit,Cantidad consumida por unidad DocType: Serial No,Warranty Expiry Date,Fecha de caducidad de la garantía -DocType: Material Request Item,Quantity and Warehouse,Cantidad y almacén +DocType: Material Request Item,Quantity and Warehouse,Cantidad y Almacén DocType: Sales Invoice,Commission Rate (%),Porcentaje de comisión (%) apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Seleccione el programa DocType: Project,Estimated Cost,Costo Estimado @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,hacer parte de horas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Cuenta de costos (venta) por 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 DocType: Request for Quotation Supplier,Send Email,Enviar correo electronico -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advertencia! archivo adjunto no valido: {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Sin permiso +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Advertencia! archivo adjunto no valido: {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Sin permiso 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 +269,Nos,Nos. +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -865,25 +869,25 @@ DocType: SMS Center,All Customer Contact,Todos Contactos de Clientes apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Subir el balance de existencias a través de un archivo .csv DocType: Warehouse,Tree Details,Detalles del árbol DocType: Training Event,Event Status,Estado de Eventos -,Support Analytics,Soporte analítico +,Support Analytics,Soporte Analítico apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +344,"If you have any questions, please get back to us.","Si usted tiene alguna pregunta, por favor consultenos." DocType: Item,Website Warehouse,Almacén para el sitio web 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 +274,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 +275,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 apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,La puntuación debe ser menor o igual a 5 -DocType: Program Enrollment Tool,Program Enrollment Tool,Herramienta de Inscripción Programa +DocType: Program Enrollment Tool,Program Enrollment Tool,Herramienta de Inscripción a Programa apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Registros C -Form apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Clientes y proveedores DocType: Email Digest,Email Digest Settings,Configuración del boletín de correo electrónico apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,¡Gracias por hacer negocios! apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Soporte técnico para los clientes -,Production Order Stock Report,Orden de fabricación de Informe +,Production Order Stock Report,Informe de Stock de Orden de Producción DocType: HR Settings,Retirement Age,Edad de retiro DocType: Bin,Moving Average Rate,Porcentaje de precio medio variable DocType: Production Planning Tool,Select Items,Seleccionar productos @@ -893,7 +897,7 @@ apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Calend DocType: Maintenance Visit,Completion Status,Estado de finalización DocType: HR Settings,Enter retirement age in years,Introduzca la edad de jubilación en años apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Inventario estimado -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Seleccione un almacén +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Por favor seleccione un almacén DocType: Cheque Print Template,Starting location from left edge,Posición inicial desde el borde izquierdo DocType: Item,Allow over delivery or receipt upto this percent,Permitir hasta este porcentaje en la entrega y/o recepción DocType: Stock Entry,STE-,STE- @@ -902,7 +906,7 @@ apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Todos los Grupo DocType: Process Payroll,Activity Log,Registro de Actividad apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Utilidad / Pérdida neta apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Componer automáticamente el mensaje en la presentación de las transacciones. -DocType: Production Order,Item To Manufacture,Producto para manufactura +DocType: Production Order,Item To Manufacture,Producto para Manufactura apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} el estado es {2} DocType: Employee,Provide Email Address registered in company,Proporcionar dirección de correo electrónico registrada en la compañía DocType: Shopping Cart Settings,Enable Checkout,Habilitar Pedido @@ -914,7 +918,7 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening', apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Lista de tareas abiertas DocType: Notification Control,Delivery Note Message,Mensaje en nota de entrega DocType: Expense Claim,Expenses,Gastos -,Support Hours,Horas de soporte +,Support Hours,Horas de Soporte DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante de Producto ,Purchase Receipt Trends,Tendencias de recibos de compra DocType: Process Payroll,Bimonthly,Bimensual @@ -925,7 +929,7 @@ DocType: Company,Registration Details,Detalles de registro DocType: Timesheet,Total Billed Amount,Monto total Facturado DocType: Item Reorder,Re-Order Qty,Cantidad mínima para ordenar DocType: Leave Block List Date,Leave Block List Date,Fecha de Lista de Bloqueo de Vacaciones -DocType: Pricing Rule,Price or Discount,Precio o descuento +DocType: Pricing Rule,Price or Discount,Precio o Descuento apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +86,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Total de comisiones aplicables en la compra Tabla de recibos Los artículos deben ser iguales que las tasas totales y cargos DocType: Sales Team,Incentives,Incentivos DocType: SMS Log,Requested Numbers,Números solicitados @@ -935,7 +939,7 @@ apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use fo 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." 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) +apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punto de Venta (POS) DocType: Vehicle Log,Odometer Reading,Lectura del podómetro apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Balance de la cuenta ya en Crédito, no le está permitido establecer 'Balance Debe Ser' como 'Débito'" DocType: Account,Balance must be,El balance debe ser @@ -950,8 +954,8 @@ DocType: Packing Slip,Gross Weight,Peso bruto apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Ingrese el nombre de la compañía para configurar el sistema. DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir vacaciones con el numero total de días laborables DocType: Job Applicant,Hold,Mantener -DocType: Employee,Date of Joining,Fecha de ingreso -DocType: Naming Series,Update Series,Definir secuencia +DocType: Employee,Date of Joining,Fecha de Ingreso +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 @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Número de serie {0} no pertenece al producto {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Número de serie {0} no pertenece al producto {1} DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Solicitada apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Complejos de depósito de transacciones existentes no se pueden convertir en el libro mayor. DocType: Bank Reconciliation,Total Amount,Importe total @@ -984,9 +988,9 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,componentes apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Por favor, introduzca categoría de activos en el artículo {0}" DocType: Quality Inspection Reading,Reading 6,Lectura 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,No se puede {0} {1} {2} sin ninguna factura pendiente negativa +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,No se puede {0} {1} {2} sin ninguna factura pendiente negativa DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada -DocType: Hub Settings,Sync Now,Sincronizar ahora. +DocType: Hub Settings,Sync Now,Sincronizar Ahora. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Línea {0}: La entrada de crédito no puede vincularse con {1} apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definir presupuesto para un año contable. DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,La cuenta de Banco / Efectivo por defecto se actualizará automáticamente en la factura del POS cuando seleccione este 'modelo' @@ -998,12 +1002,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 +731,New Sales Invoice,Nueva factura de venta +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sincronizar Facturas +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1020,7 +1024,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621, DocType: Purchase Invoice Item,Purchase Order Item,Producto de la orden de compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Ingresos indirectos DocType: Student Attendance Tool,Student Attendance Tool,Herramienta de asistencia de los estudiantes -DocType: Cheque Print Template,Date Settings,Ajustes de fecha +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) @@ -1029,21 +1033,21 @@ DocType: Purchase Invoice,Additional Discount Percentage,Porcentaje de descuento 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. DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Permitir al usuario editar la lista de precios en las transacciones -DocType: Pricing Rule,Max Qty,Cantidad máxima +DocType: Pricing Rule,Max Qty,Cantidad Máxima apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +30,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ Please enter a valid Invoice","Fila {0}: factura {1} no es válida, puede que esté cancelada / no existe. \ Por favor, introduzca una factura válida" apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Línea {0}: El pago para la compra/venta siempre debe estar marcado como anticipo apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Químico -DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Predeterminado de la cuenta bancaria / efectivo se actualizará automáticamente en el Salario entrada de diario cuando se selecciona este modo. +DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Banco Predeterminado / Cuenta de Efectivo se actualizará automáticamente en la Entrada de Diario Salario cuando se selecciona este modo. 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 +733,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/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 +270,Meter,Metro +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferido -DocType: BOM Website Item,BOM Website Item,BOM sitio web de artículos +DocType: BOM Website Item,BOM Website Item,BOM de artículo del sitio web apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Cargue su membrete y el logotipo. (Estos pueden editarse más tarde). DocType: Timesheet Detail,Bill,Cuenta apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,La próxima fecha de depreciación se introduce como fecha pasada @@ -1056,11 +1060,11 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766, 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." -apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mi carrito +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 +452,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 +453,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 @@ -1068,7 +1072,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 +259,Qty for {0},Cantidad de {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Cuenta de caja / banco apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Por favor especificar un {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Elementos eliminados que no han sido afectados en cantidad y valor DocType: Delivery Note,Delivery To,Entregar a -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabla de atributos es obligatoria +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Tabla de atributos es obligatoria DocType: Production Planning Tool,Get Sales Orders,Obtener ordenes de venta -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} no puede ser negativo +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} no puede ser negativo apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Descuento DocType: Asset,Total Number of Depreciations,Número total de amortizaciones DocType: Sales Invoice Item,Rate With Margin,Tarifa con margen @@ -1118,10 +1122,10 @@ 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 +1546,ZIP Code,Código postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 +apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Crear Asientos de Stock DocType: Packing Slip,Net Weight UOM,Unidad de medida para el peso neto apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Resultados DocType: Item,Default Supplier,Proveedor predeterminado @@ -1134,9 +1138,9 @@ DocType: Sales Person,Select company name first.,Seleccione primero el nombre de apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Presupuestos recibidos de proveedores. apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Para {0} | {1} {2} 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: 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',"Por favor, establece ""Aplicar descuento adicional en""" +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 DocType: Global Defaults,Global Defaults,Predeterminados globales @@ -1168,11 +1172,11 @@ 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 +22,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 +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} 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 +347,Capacity Planning Error,Error en la planificación de capacidad -,Trial Balance for Party,Balance de terceros +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para el tipo de producción @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,Es un retorno apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} núms. de serie válidos para el artículo {1} +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} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,El código del producto no se puede cambiar por un número de serie apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},Perfil de POS {0} ya esta creado para el usuario: {1} en la compañía {2} DocType: Sales Invoice Item,UOM Conversion Factor,Factor de Conversión de Unidad de Medida @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',Centro de costos para el producto con código ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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." @@ -1217,7 +1221,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +8,Item 1,Elemento 1 DocType: Holiday,Holiday,Vacaciones DocType: Support Settings,Close Issue After Days,Cerrar Problema Después Días DocType: Leave Control Panel,Leave blank if considered for all branches,Dejar en blanco si se considera para todas las sucursales -DocType: Bank Guarantee,Validity in Days,Validez en días +DocType: Bank Guarantee,Validity in Days,Validez en Días apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +21,C-form is not applicable for Invoice: {0},Formulario-C no es aplicable para la factura: {0} DocType: Payment Reconciliation,Unreconciled Payment Details,Detalles de pagos no conciliados apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,Cantidad de Pedidos @@ -1227,21 +1231,21 @@ DocType: Global Defaults,Disable Rounded Total,Desactivar redondeo 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 +,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/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" DocType: Employee,O-,O- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Investigación -DocType: Maintenance Visit Purpose,Work Done,Trabajo realizado +DocType: Maintenance Visit Purpose,Work Done,Trabajo Realizado apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Por favor, especifique al menos un atributo en la tabla" DocType: Announcement,All Students,Todos los estudiantes apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,Elemento {0} debe ser un elemento de no-stock -apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Mostrar libro mayor +apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Mostrar Libro Mayor 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,El producto {0} no puede contener lotes @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Orden de venta {0} no es válida +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/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} \ @@ -1293,19 +1297,19 @@ DocType: Project,% Completed,% Completado apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Elemento 2 DocType: Supplier,SUPP-,SUPP- DocType: Training Event,Training Event,Evento de Capacitación -DocType: Item,Auto re-order,Ordenar automáticamente +DocType: Item,Auto re-order,Ordenar Automáticamente apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Conseguido DocType: Employee,Place of Issue,Lugar de emisión. apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contrato DocType: Email Digest,Add Quote,Añadir Cita -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Factor de conversion de la Unidad de Medida requerido para la Unidad de Medida {0} en el artículo: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Factor de conversion de la Unidad de Medida requerido para la Unidad de Medida {0} en el artículo: {1} 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 +736,Sync Master Data,Sincronización de datos maestros -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Sus Productos o Servicios +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 DocType: Mode of Payment,Mode of Payment,Método de pago -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este es un grupo principal y no se puede editar. @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},El estado de la orden de producción es {0} DocType: Appraisal Goal,Goal,Meta/Objetivo DocType: Sales Invoice Item,Edit Description,Editar descripción ,Team Updates,Actualizaciones equipo @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,No se puede eliminar este almacén. Existe almacén hijo para este almacén. 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 +177,Serial number {0} entered more than once,Número de serie {0} ha sido ingresado mas de una vez +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 +78,{0} items in progress,{0} artículos en curso +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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 @@ -1360,7 +1363,7 @@ DocType: Quality Inspection Reading,Reading 8,Lectura 8 DocType: Sales Partner,Agent,Agente DocType: Purchase Invoice,Taxes and Charges Calculation,Cálculo de impuestos y cargos DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de depreciación de activos de libro de forma automática -DocType: BOM Operation,Workstation,Puesto de trabajo +DocType: BOM Operation,Workstation,Puesto de Trabajo DocType: Request for Quotation Supplier,Request for Quotation Supplier,Proveedor de Solicitud de Presupuesto apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware DocType: Sales Order,Recurring Upto,Recurrir hasta @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Oreja 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,7 +1425,7 @@ 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 +260,Max: {0},Máximo: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Nombre de dirección de envío apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plan de cuentas DocType: Material Request,Terms and Conditions Content,Contenido de los términos y condiciones apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,No puede ser mayor de 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,El producto {0} no es un producto de stock +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,El producto {0} no es un producto de stock DocType: Maintenance Visit,Unscheduled,Sin programación DocType: Employee,Owned,Propiedad DocType: Salary Detail,Depends on Leave Without Pay,Depende de licencia sin goce de salario @@ -1448,7 +1450,7 @@ DocType: Warranty Claim,Warranty / AMC Status,Garantía / Estado de CMA DocType: Payment Entry Reference,Payment Entry Reference,Referencia de Entrada de Pago DocType: GL Entry,GL Entry,Entrada GL DocType: HR Settings,Employee Settings,Configuración de Empleado -,Batch-Wise Balance History,Historial de saldo por lotes +,Batch-Wise Balance History,Historial de Saldo por Lotes apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Los ajustes de impresión actualizados en formato de impresión respectivo DocType: Package Code,Package Code,Código de paquete apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Aprendiz @@ -1458,24 +1460,24 @@ DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a s Used for Taxes and Charges","la tabla de detalle de impuestos se obtiene del producto principal como una cadena y es guardado en este campo, este es usado para los impuestos y cargos." apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,El empleado no puede informar a sí mismo. DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelado, las entradas estarán permitidas a los usuarios restringidos." -DocType: Email Digest,Bank Balance,Saldo bancario +DocType: Email Digest,Bank Balance,Saldo Bancario apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Asiento contable para {0}: {1} sólo puede realizarse con la divisa: {2} DocType: Job Opening,"Job profile, qualifications required etc.","Perfil laboral, las cualificaciones necesarias, etc" 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 +273,We buy this Item,Compramos este producto +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 -DocType: Shipping Rule,Shipping Account,Cuenta de envíos +DocType: Shipping Rule,Shipping Account,Cuenta de Envíos apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: La cuenta {2} está inactiva apps/erpnext/erpnext/utilities/activation.py +80,Make Sales Orders to help you plan your work and deliver on-time,Hacer Ordenes de Ventas para ayudar a planificar tu trabajo y entregar en tiempo 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 +266,Sub Assemblies,Sub-Ensamblajes +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1493,14 +1495,14 @@ DocType: Item,Sales Details,Detalles de ventas DocType: Quality Inspection,QI-,QI- DocType: Opportunity,With Items,Con Productos apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,En Cantidad -DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validar matriculados Curso para estudiantes en grupo de alumnos +DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validar matriculados al Curso para estudiantes en grupo de alumnos DocType: Notification Control,Expense Claim Rejected,Reembolso de gastos rechazado DocType: Item,Item Attribute,Atributos del producto apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Gubernamental apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Relación de Gastos {0} ya existe para el registro de vehículos apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,nombre del Instituto apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Por favor, ingrese el monto de amortización" -apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes del producto +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 @@ -1508,12 +1510,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,No se encontraron registros en la tabla de pagos apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Este {0} conflictos con {1} de {2} {3} DocType: Student Attendance Tool,Students HTML,HTML de Estudiantes DocType: POS Profile,Apply Discount,Aplicar Descuento -DocType: Purchase Invoice Item,GST HSN Code,Código GST HSN +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 +283,Packing Slip(s) cancelled,Lista(s) de embalaje cancelada(s) @@ -1555,9 +1557,9 @@ apps/erpnext/erpnext/config/stock.py +200,Brand master.,Marca principal apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple times in row {2} & {3},Estudiante {0} - {1} aparece múltiples veces en fila {2} y {3} 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 +2573,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 +269,Box,Caja +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 +873,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" @@ -1571,7 +1573,7 @@ apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Req DocType: Shopping Cart Settings,Payment Success URL,URL de Pago Exitoso apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},Línea # {0}: El artículo devuelto {1} no existe en {2} {3} DocType: Purchase Receipt,PREC-,PREC- -apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +16,Bank Accounts,Cuentas bancarias +apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +16,Bank Accounts,Cuentas Bancarias ,Bank Reconciliation Statement,Estados de conciliación bancarios ,Lead Name,Nombre de la iniciativa ,POS,Punto de venta POS @@ -1586,7 +1588,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Método de amortización DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se selecciona, la página de inicio será el grupo por defecto del artículo para el sitio web" DocType: Quality Inspection Reading,Reading 4,Lectura 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM por defecto para {0} no encontrado para Proyecto {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Peticiones para gastos de compañía 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} @@ -1600,32 +1601,32 @@ DocType: Student Group,Set 0 for no limit,Ajuste 0 indica sin límite apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +141,The day(s) on which you are applying for leave are holidays. You need not apply for leave.,El día (s) en el que está solicitando la licencia son los días festivos. Usted no necesita solicitar la excedencia. apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +20,Resend Payment Email,Vuelva a enviar el pago por correo electrónico apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nueva tarea -apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Crear una cotización +apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Crear una Cotización apps/erpnext/erpnext/config/selling.py +216,Other Reports,Otros Reportes DocType: Dependent Task,Dependent Task,Tarea dependiente -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},El factor de conversión de la unidad de medida (UdM) en la línea {0} debe ser 1 +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},El factor de conversión de la unidad de medida (UdM) en la línea {0} debe ser 1 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}" DocType: SMS Center,Receiver List,Lista de receptores -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Busca artículo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Ya completado +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,id de POS del Cliente DocType: Account,Account Name,Nombre de la Cuenta apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,La fecha 'Desde' no puede ser mayor que la fecha 'Hasta' -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,"Número de serie {0}, la cantidad {1} no puede ser una fracción" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,"Número de serie {0}, la cantidad {1} no puede ser una fracción" apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Categorías principales de proveedores. DocType: Purchase Order Item,Supplier Part Number,Número de pieza del proveedor. apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,La tasa de conversión no puede ser 0 o 1 @@ -1633,6 +1634,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Fecha de despacho de vehículo +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Cuenta por pagar por defecto apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ajustes para las compras online, normas de envío, lista de precios, etc." @@ -1657,9 +1659,9 @@ DocType: Customer,Default Price List,Lista de precios por defecto apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Movimiento de activo {0} creado apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,No se puede eliminar el año fiscal {0}. Año fiscal {0} se establece por defecto en la configuración global DocType: Journal Entry,Entry Type,Tipo de entrada -apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ningún plan de evaluación vinculado a este grupo de evaluación -,Customer Credit Balance,Saldo de clientes -apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Cambio neto en cuentas por pagar +apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ningún plan de evaluación esta vinculado a este grupo de evaluación +,Customer Credit Balance,Saldo de Clientes +apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Cambio neto en Cuentas por Pagar apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Se requiere un cliente para el descuento apps/erpnext/erpnext/config/accounts.py +142,Update bank payment dates with journals.,Actualización de las fechas de pago del banco con los registros. apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Precios @@ -1672,7 +1674,7 @@ DocType: Manufacturing Settings,Capacity Planning For (Days),Planificación de c apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Obtención apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +64,None of the items have any change in quantity or value.,Ninguno de los productos tiene cambios en el valor o en la existencias. apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +16,Mandatory field - Program,Campo obligatorio - Programa -apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.js +46,Warranty Claim,Reclamación de garantía +apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.js +46,Warranty Claim,Reclamación de Garantía ,Lead Details,Detalle de Iniciativas DocType: Salary Slip,Loan repayment,Pago de prestamo DocType: Purchase Invoice,End date of current invoice's period,Fecha final del periodo de facturación actual @@ -1686,7 +1688,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Incluir las vacacio DocType: Sales Invoice,Packed Items,Productos Empacados apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamación de garantía por numero de serie DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Reemplazar una Solicitud de Materiales en particular en todas las demás Solicitudes de Materiales donde se utiliza. Sustituirá el antiguo enlace a la Solicitud de Materiales, actualizara el costo y regenerar una tabla para la nueva Solicitud de Materiales" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Habilitar carrito de compras DocType: Employee,Permanent Address,Dirección permanente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1721,13 +1723,14 @@ 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! DocType: Course Assessment Criteria,Weightage,Asignación +DocType: Sales 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 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nuevo contacto DocType: Territory,Parent Territory,Territorio principal DocType: Quality Inspection Reading,Reading 2,Lectura 2 -DocType: Stock Entry,Material Receipt,Recepción de materiales +DocType: Stock Entry,Material Receipt,Recepción de Materiales DocType: Homepage,Products,Productos DocType: Announcement,Instructor,Instructor DocType: Employee,AB+,AB + @@ -1738,9 +1741,9 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can 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,Compra importe bruto +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 +699,Offline,Desconectado +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1748,7 +1751,7 @@ DocType: Production Plan Material Request,Production Plan Material Request,Solic apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,No se crearon Ordenes de Producción DocType: Stock Reconciliation,Reconciliation JSON,Reconciliación JSON apps/erpnext/erpnext/accounts/report/financial_statements.html +3,Too many columns. Export the report and print it using a spreadsheet application.,Hay demasiadas columnas. Exportar el informe e imprimirlo mediante una aplicación de hoja de cálculo. -DocType: Purchase Invoice Item,Batch No,Lote No. +DocType: Purchase Invoice Item,Batch No,Lote Nro. DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,"Permitir varias órdenes de venta, para las ordenes de compra de los clientes" DocType: Student Group Instructor,Student Group Instructor,Instructor de Grupo Estudiantil apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Móvil del Tutor2 @@ -1756,12 +1759,12 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante DocType: Naming Series,Set prefix for numbering series on your transactions,Establezca los prefijos de las numeraciones en sus transacciones DocType: Employee Attendance Tool,Employees HTML,Empleados HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla 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 +976,Make Purchase Order,Crear orden de compra +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,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 @@ -1769,7 +1772,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 +175,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 +173,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 @@ -1777,7 +1780,7 @@ DocType: Item,Serial Nos and Batches,Números de serie y lotes apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupo Estudiante Fuerza apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,El asiento contable {0} no tiene ninguna entrada {1} que vincular apps/erpnext/erpnext/config/hr.py +137,Appraisals,Evaluaciones -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicar No. de serie para el producto {0} +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" @@ -1786,12 +1789,12 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,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 +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 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},Máxima requisición de materiales {0} es posible para el producto {1} en las órdenes de venta {2} DocType: Course,Course Abbreviation,Abreviatura del Curso @@ -1805,15 +1808,15 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Movimiento de Activo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nuevo Carrito +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 +DocType: Vehicle,Wheels,Ruedas DocType: Packing Slip,To Package No.,Al paquete No. DocType: Production Planning Tool,Material Requests,Solicitudes de Material DocType: Warranty Claim,Issue Date,Fecha de emisión @@ -1822,7 +1825,7 @@ DocType: Sales Invoice Timesheet,Timesheet Detail,Detalle de Tabla de Tiempo DocType: Purchase Receipt Item Supplied,Consumed Qty,Cantidad consumida apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +52,Telecommunications,Telecomunicaciones DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Indica que el paquete es una parte de esta entrega (Sólo borradores) -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +36,Make Payment Entry,Crear pago +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +36,Make Payment Entry,Crear Pago apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +126,Quantity for Item {0} must be less than {1},La cantidad del producto {0} debe ser menor que {1} ,Sales Invoice Trends,Tendencias de ventas DocType: Leave Application,Apply / Approve Leaves,Aplicar/Aprobar Licencias @@ -1836,7 +1839,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtener productos desde recibo de compra DocType: Serial No,Creation Date,Fecha de creación apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},El producto {0} aparece varias veces en el Listado de Precios {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","'Ventas' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","'Ventas' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}" DocType: Production Plan Material Request,Material Request Date,Fecha de solicitud de materiales DocType: Purchase Order Item,Supplier Quotation Item,Ítem de Presupuesto de Proveedor DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desactiva la creación de registros de tiempo en contra de las órdenes de fabricación. Las operaciones no serán objeto de seguimiento contra la Orden de Producción @@ -1847,17 +1850,17 @@ DocType: Monthly Distribution,Name of the Monthly Distribution,Defina el nombre apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,El ID de lote es obligatorio DocType: Sales Person,Parent Sales Person,Persona encargada de ventas DocType: Purchase Invoice,Recurring Invoice,Factura recurrente -apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestión de proyectos +apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Gestión de Proyectos 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 DocType: Budget,Budget,Presupuesto -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Activos Fijos El artículo debe ser una posición no de almacén. +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 +209,e.g. 5,por ejemplo 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1866,7 +1869,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,"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 +263,A Product or Service,Un Producto o Servicio +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1914,12 +1917,12 @@ DocType: BOM,Show In Website,Mostrar en el sitio web DocType: Shopping Cart Settings,Show Quantity in Website,Mostrar la Cantidad en la Página Web DocType: Employee Loan Application,Total Payable Amount,Monto Total a Pagar DocType: Task,Expected Time (in hours),Tiempo previsto (en horas) -DocType: Item Reorder,Check in (group),El proceso de registro (grupo) -,Qty to Order,Cantidad a solicitar +DocType: Item Reorder,Check in (group),Registro (grupo) +,Qty to Order,Cantidad a Solicitar DocType: Period Closing Voucher,"The account head under Liability or Equity, in which Profit/Loss will be booked","El cabezal cuenta bajo pasivo o patrimonio, en el que será reservado Ganancia / Pérdida" apps/erpnext/erpnext/config/projects.py +25,Gantt chart of all tasks.,Diagrama Gantt de todas las tareas. DocType: Opportunity,Mins to First Response,Minutos hasta la primera respuesta -DocType: Pricing Rule,Margin Type,Tipo de margen +DocType: Pricing Rule,Margin Type,Tipo de Margen apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +15,{0} hours,{0} horas DocType: Course,Default Grading Scale,Escala de Calificación por defecto DocType: Appraisal,For Employee Name,Por nombre de empleado @@ -1930,7 +1933,7 @@ DocType: Room,Room Name,Nombre de la habitación apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deja no puede aplicarse / cancelada antes de {0}, como balance de la licencia ya ha sido remitido equipaje en el futuro registro de asignación de permiso {1}" DocType: Activity Cost,Costing Rate,Costo calculado apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Direcciones de clientes y contactos -,Campaign Efficiency,Eficiencia de la campaña +,Campaign Efficiency,Eficiencia de la Campaña DocType: Discussion,Discussion,Discusión DocType: Payment Entry,Transaction ID,ID de transacción DocType: Employee,Resignation Letter Date,Fecha de carta de renuncia @@ -1939,7 +1942,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1958,10 +1961,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Fecha de finalización real (a través de hoja de horas) 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 +160,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 +342,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar +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 DocType: Shipping Rule Condition,Shipping Amount,Monto de envío -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Agregar Clientes +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1977,7 +1980,8 @@ apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total a DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar ,Supplier-Wise Sales Analytics,Análisis de ventas (Proveedores) apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Ingrese el Monto Pagado -DocType: Salary Structure,Select employees for current Salary Structure,Seleccione los empleados de estructura salarial actual +DocType: Salary Structure,Select employees for current Salary Structure,Seleccione los empleados de Estructura Salarial actual +DocType: Sales Invoice,Company Address Name,Nombre de la empresa DocType: Production Order,Use Multi-Level BOM,Utilizar Lista de Materiales (LdM) Multi-Nivel 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)" @@ -1997,7 +2001,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 +269,Unit,Unidad(es) +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2018,7 +2022,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,Diferencia de monto @@ -2027,7 +2031,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Clasificación de clientes por región apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,La diferencia de montos debe ser cero DocType: Project,Gross Margin,Margen bruto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Por favor, ingrese primero el producto a fabricar" +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 +748,Quotation,Cotización @@ -2035,11 +2039,11 @@ 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 -DocType: Employee,Date of Birth,Fecha de nacimiento +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**. -DocType: Opportunity,Customer / Lead Address,Dirección de cliente / oportunidad -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Advertencia: certificado SSL no válido en el apego {0} +DocType: Opportunity,Customer / Lead Address,Dirección de cliente / Oportunidad +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Advertencia: certificado SSL no válido en el apego {0} DocType: Student Admission,Eligibility,Elegibilidad apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Las Iniciativas ayudan a obtener negocios, agrega todos tus contactos y más como clientes potenciales" DocType: Production Order Operation,Actual Operation Time,Hora de operación real @@ -2055,14 +2059,14 @@ DocType: Expense Claim,Approver,Supervisor ,SO Qty,Cant. OV DocType: Guardian,Work Address,Dirección del trabajo DocType: Appraisal,Calculate Total Score,Calcular puntaje total -DocType: Request for Quotation,Manufacturing Manager,Gerente de producción +DocType: Request for Quotation,Manufacturing Manager,Gerente de Producción apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Número de serie {0} está en garantía hasta {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir nota de entrega entre paquetes. -apps/erpnext/erpnext/hooks.py +87,Shipments,Envíos +apps/erpnext/erpnext/hooks.py +94,Shipments,Envíos DocType: Payment Entry,Total Allocated Amount (Company Currency),Monto Total asignado (Divisa de la Compañia) DocType: Purchase Order Item,To be delivered to customer,Para ser entregado al cliente DocType: BOM,Scrap Material Cost,Costo de Material de Desecho -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,El número de serie {0} no pertenece a ningún almacén +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,El número de serie {0} no pertenece a ningún almacén DocType: Purchase Invoice,In Words (Company Currency),En palabras (Divisa por defecto) DocType: Asset,Supplier,Proveedor DocType: C-Form,Quarter,Trimestre @@ -2070,17 +2074,16 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Global Defaults,Default Company,Compañía predeterminada apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Una cuenta de gastos o de diiferencia es obligatoria para el producto: {0} , ya que impacta el valor del stock" DocType: Payment Request,PR,PR -DocType: Cheque Print Template,Bank Name,Nombre del banco +DocType: Cheque Print Template,Bank Name,Nombre del Banco apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Arriba DocType: Employee Loan,Employee Loan Account,Cuenta de Préstamo del Empleado DocType: Leave Application,Total Leave Days,Días totales de ausencia DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: El correo electrónico no se enviará a los usuarios deshabilitados -apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de interacciones -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/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de Interacciones 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 +408,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1} +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} 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" @@ -2094,19 +2097,19 @@ 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/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 +146,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,Niño Artículo no debe ser un paquete de productos. Por favor remover el artículo `` {0} y guardar +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 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +12,Banking,Banca apps/erpnext/erpnext/utilities/activation.py +106,Add Timesheets,Añadir partes de horas DocType: Vehicle Service,Service Item,Artículo de servicio -DocType: Bank Guarantee,Bank Guarantee,Garantía bancaria +DocType: Bank Guarantee,Bank Guarantee,Garantía Bancaria apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Por favor, haga clic en 'Generar planificación' para obtener las tareas" apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Se han producido errores mientras borra siguientes horarios: DocType: Bin,Ordered Quantity,Cantidad ordenada apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",por ejemplo 'Herramientas para los constructores' -DocType: Grading Scale,Grading Scale Intervals,Intervalos de clasificación en la escala +DocType: Grading Scale,Grading Scale Intervals,Intervalos de Escala de Calificación apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: La entrada contable para {2} sólo puede hacerse en la moneda: {3} DocType: Production Order,In Process,En Proceso -DocType: Authorization Rule,Itemwise Discount,Descuento de producto +DocType: Authorization Rule,Itemwise Discount,Descuento de Producto apps/erpnext/erpnext/config/accounts.py +69,Tree of financial accounts.,Árbol de las cuentas financieras. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +364,{0} against Sales Order {1},{0} contra la orden de ventas {1} DocType: Account,Fixed Asset,Activo Fijo @@ -2122,8 +2125,9 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Detalle de reembolso de gastos -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Por favor, seleccione la cuenta correcta" -DocType: Item,Weight UOM,Unidad de medida (UdM) +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICADO PARA PROVEEDOR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Por favor, seleccione la cuenta correcta" +DocType: Item,Weight UOM,Unidad de Medida (UdM) DocType: Salary Structure Employee,Salary Structure Employee,Estructura Salarial de Empleado DocType: Employee,Blood Group,Grupo sanguíneo DocType: Production Order Operation,Pending,Pendiente @@ -2133,7 +2137,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Purchase Invoice Item,Qty,Cantidad DocType: Fiscal Year,Companies,Compañías apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electrónicos -DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Generar requisición de materiales cuando se alcance un nivel bajo el stock +DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Generar un pedido de materiales cuando se alcance un nivel bajo el stock apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Jornada completa DocType: Salary Structure,Employees,Empleados DocType: Employee,Contact Details,Detalles de contacto @@ -2144,11 +2148,11 @@ DocType: Student,Guardians,Tutores 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 +336,Debit To is required,Débito Para es requerido +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 -DocType: Quality Inspection,Quality Manager,Gerente de calidad +DocType: Quality Inspection,Quality Manager,Gerente de Calidad DocType: Job Applicant,Job Opening,Oportunidad de empleo DocType: Payment Reconciliation,Payment Reconciliation,Conciliación de pagos apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Por favor, seleccione el nombre de la persona a cargo" @@ -2157,7 +2161,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total no pagado: { DocType: BOM Website Operation,BOM Website Operation,Operación de Página Web de lista de materiales apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta de oferta apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generar requisición de materiales (MRP) y órdenes de producción. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Monto total facturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Monto total facturado DocType: BOM,Conversion Rate,Tasa de conversión apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Búsqueda de Producto DocType: Timesheet Detail,To Time,Hasta hora @@ -2171,7 +2175,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} números de serie son requeridos para el artículo {1}. Usted ha proporcionado {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} números de serie son requeridos para el artículo {1}. Usted ha proporcionado {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Tasa de valoración actual DocType: Item,Customer Item Codes,Código del producto asignado por el cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ganancia/Pérdida en Cambio @@ -2183,7 +2187,7 @@ 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.',"Por favor, especifique un numero de caso válido" 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,"Los centros de costos se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas." DocType: Project,External,Externo -apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Usuarios y permisos +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 +895,Production Orders Created: {0},Órdenes de fabricación creadas: {0} DocType: Branch,Branch,Sucursal @@ -2214,11 +2218,11 @@ DocType: Sales Partner,Address & Contacts,Dirección y Contactos DocType: SMS Log,Sender Name,Nombre del remitente DocType: POS Profile,[Select],[Seleccionar] DocType: SMS Log,Sent To,Enviado a -DocType: Payment Request,Make Sales Invoice,Crear factura de venta +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 +2454,Select Batch No,Seleccione Lote No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2242,19 +2246,19 @@ DocType: Leave Block List,Allow Users,Permitir que los usuarios DocType: Purchase Order,Customer Mobile No,Numero de móvil de cliente DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Seguimiento de Ingresos y Gastos por separado para las verticales de productos o divisiones. DocType: Rename Tool,Rename Tool,Herramienta para renombrar -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualizar costos +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 +438,Show Salary Slip,Slip Mostrar Salario +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Mostrar Nomina Salarial apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Por favor configura recurrente después de guardar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Seleccione el cambio importe de la cuenta +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Agregar impuestos +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2265,10 +2269,11 @@ DocType: Stock Entry,Purchase Receipt No,Recibo de compra No. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,GANANCIAS PERCIBIDAS DocType: Process Payroll,Create Salary Slip,Crear nómina salarial apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trazabilidad +DocType: Purchase Invoice Item,HSN/SAC Code,Código HSN / SAC 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 +221,Select Batch,Seleccione lote +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,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 @@ -2294,14 +2299,14 @@ DocType: Employee Education,Post Graduate,Postgrado DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalles del calendario de mantenimiento DocType: Quality Inspection Reading,Reading 9,Lectura 9 DocType: Supplier,Is Frozen,Se encuentra congelado(a) -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,almacén nodo de grupo no se le permite seleccionar para las transacciones +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,almacén nodo de grupo no se le permite seleccionar para las transacciones DocType: Buying Settings,Buying Settings,Configuración de compras DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Lista de materiales (LdM) para el producto terminado 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 +858,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/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 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organización @@ -2309,13 +2314,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos del envío de la gota." +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.js +153,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 +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Por favor, ingrese la cantidad planeada para el producto {0} en la fila {1}" @@ -2337,7 +2342,7 @@ DocType: Authorization Rule,Authorized Value,Valor Autorizado DocType: BOM,Show Operations,Mostrar Operaciones ,Minutes to First Response for Opportunity,Minutos hasta la primera respuesta para Oportunidades apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Ausente -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artículo o almacén para la línea {0} no coincide con la requisición de materiales +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Artículo o almacén para la línea {0} no coincide con la requisición de materiales apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unidad de Medida (UdM) DocType: Fiscal Year,Year End Date,Fecha de Finalización de Año DocType: Task Depends On,Task Depends On,Tarea depende de @@ -2360,7 +2365,7 @@ DocType: BOM,Operating Cost (Company Currency),Costo de funcionamiento (Divisa d DocType: Purchase Invoice,PINV-,PINV- DocType: Authorization Rule,Applicable To (Role),Aplicable a (Rol) DocType: Stock Entry,Purpose,Propósito -DocType: Company,Fixed Asset Depreciation Settings,Configuración de depreciación de los inmuebles +DocType: Company,Fixed Asset Depreciation Settings,Configuración de Depreciación de los Activos Fijos DocType: Item,Will also apply for variants unless overrridden,También se aplicará para las variantes menos que se sobre escriba DocType: Purchase Invoice,Advances,Anticipos DocType: Production Order,Manufacture against Material Request,Fabricación contra Pedido de Material @@ -2428,16 +2433,16 @@ 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 +106,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 +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/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 +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" DocType: Tax Rule,Billing City,Ciudad de facturación DocType: Asset,Manual,Manual DocType: Salary Component Account,Salary Component Account,Cuenta Nómina Componente DocType: Global Defaults,Hide Currency Symbol,Ocultar el símbolo de moneda apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc." -DocType: Lead Source,Source Name,Nombre de la fuente +DocType: Lead Source,Source Name,Nombre de la Fuente DocType: Journal Entry,Credit Note,Nota de crédito DocType: Warranty Claim,Service Address,Dirección de servicio apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Muebles y Accesorios @@ -2480,7 +2485,7 @@ DocType: Payment Entry,Cheque/Reference Date,Cheque / Fecha de referencia DocType: Purchase Invoice,Total Taxes and Charges,Total impuestos y cargos DocType: Employee,Emergency Contact,Contacto de emergencia DocType: Bank Reconciliation Detail,Payment Entry,Entrada de pago -DocType: Item,Quality Parameters,Parámetros de calidad +DocType: Item,Quality Parameters,Parámetros de Calidad ,sales-browser,sales-browser apps/erpnext/erpnext/accounts/doctype/account/account.js +56,Ledger,Libro Mayor DocType: Target Detail,Target Amount,Importe previsto @@ -2508,7 +2513,7 @@ DocType: Packing Slip,Identification of the package for the delivery (for print) DocType: Bin,Reserved Quantity,Cantidad Reservada apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Por favor ingrese una dirección de correo electrónico válida DocType: Landed Cost Voucher,Purchase Receipt Items,Productos del recibo de compra -apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formularios personalizados +apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formularios Personalizados apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Monto de la depreciación durante el período apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Plantilla deshabilitada no debe ser la plantilla predeterminada @@ -2519,14 +2524,14 @@ DocType: Stock Reconciliation Item,Current Qty,Cant. Actual DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Consulte 'tasa de materiales en base de' en la sección de costos apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Anterior DocType: Appraisal Goal,Key Responsibility Area,Área de Responsabilidad Clave -apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Los lotes de los estudiantes ayudan a realizar un seguimiento de asistencia, evaluaciones y cuotas para los estudiantes" +apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Los Lotes de Estudiantes ayudan a realizar un seguimiento de asistencia, evaluaciones y cuotas para los estudiantes" 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 +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 +789,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó" +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/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 +20,Ref,Referencia +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Referencia DocType: Budget,Cost Center,Centro de costos apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Comprobante # DocType: Notification Control,Purchase Order Message,Mensaje en la orden de compra @@ -2542,7 +2547,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 +1165,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 +1086,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 +773,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 @@ -2561,7 +2566,7 @@ DocType: Project,Task Completion,Completitud de Tarea apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,No disponible en stock DocType: Appraisal,HR User,Usuario de recursos humanos DocType: Purchase Invoice,Taxes and Charges Deducted,Impuestos y cargos deducidos -apps/erpnext/erpnext/hooks.py +116,Issues,Incidencias +apps/erpnext/erpnext/hooks.py +124,Issues,Incidencias apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},El estado debe ser uno de {0} DocType: Sales Invoice,Debit To,Debitar a DocType: Delivery Note,Required only for sample item.,Solicitado únicamente para muestra. @@ -2573,7 +2578,7 @@ apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} está de 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 -apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Hojas totales +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Hojas Totales ,Profit and Loss Statement,Cuenta de pérdidas y ganancias DocType: Bank Reconciliation Detail,Cheque Number,Número de cheque ,Sales Browser,Explorar ventas @@ -2590,6 +2595,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territorio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Por favor, indique el numero de visitas requeridas" DocType: Stock Settings,Default Valuation Method,Método predeterminado de valoración +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Cuota DocType: Vehicle Log,Fuel Qty,Cantidad de Combustible DocType: Production Order Operation,Planned Start Time,Hora prevista de inicio DocType: Course,Assessment,Evaluación @@ -2599,12 +2605,12 @@ 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 +149,Quotation {0} is cancelled,El presupuesto {0} se ha cancelado -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Monto total pendiente +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas las transacciones de venta se pueden etiquetar para múltiples **vendedores** de esta manera usted podrá definir y monitorear objetivos. ,S.O. No.,OV No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Por favor, crear el cliente desde iniciativa {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Por favor, crear el cliente desde iniciativa {0}" DocType: Price List,Applicable for Countries,Aplicable para los Países apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Sólo Deja aplicaciones con estado "Aprobado" y "Rechazado" puede ser presentado apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Nombre de Grupo de Estudiantes es obligatorio en la fila {0} @@ -2653,6 +2659,7 @@ 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/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 @@ -2660,12 +2667,12 @@ apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Tiempo (en DocType: Project Task,Working,Trabajando DocType: Stock Ledger Entry,Stock Queue (FIFO),Cola de inventario (FIFO) 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,Costar en +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 ,Requested Qty,Cant. Solicitada DocType: Tax Rule,Use for Shopping Cart,Utilizar para carrito de compras apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},El valor {0} para el atributo {1} no existe en la lista de valores de atributos de artículo válido para el punto {2} -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Seleccionar números de serie +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Seleccionar Números de Serie DocType: BOM Item,Scrap %,Desecho % apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Los cargos se distribuirán proporcionalmente basados en la cantidad o importe, según selección" DocType: Maintenance Visit,Purposes,Propósitos @@ -2685,7 +2692,7 @@ apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection req DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasa por la cual la divisa es convertida como moneda base de la compañía DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasa neta (Divisa por defecto) DocType: Salary Detail,Condition and Formula Help,Condición y la Fórmula de Ayuda -apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Administración de territorios +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' @@ -2695,8 +2702,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de material 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.,El porcentaje de descuento puede ser aplicado ya sea en una lista de precios o para todas las listas de precios. DocType: Purchase Invoice,Half-yearly,Semestral apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Asiento contable para inventario +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ya ha evaluado los criterios de evaluación {}. DocType: Vehicle Service,Engine Oil,Aceite de Motor -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configuración del sistema de nombres de empleados en recursos humanos> Configuración de recursos humanos DocType: Sales Invoice,Sales Team1,Equipo de ventas 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,El elemento {0} no existe DocType: Sales Invoice,Customer Address,Dirección del cliente @@ -2715,7 +2722,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target wareho DocType: Cheque Print Template,Primary Settings,Ajustes Primarios DocType: Purchase Invoice,Select Supplier Address,Seleccionar dirección del proveedor apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Añadir Empleados -DocType: Purchase Invoice Item,Quality Inspection,Inspección de calidad +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 @@ -2724,7 +2731,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidad Legal / Subsidiario con un Catalogo de Cuentas separado que pertenece a la Organización. DocType: Payment Request,Mute Email,Email Silenciado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentos, bebidas y tabaco" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,El porcentaje de comisión no puede ser superior a 100 DocType: Stock Entry,Subcontract,Sub-contrato apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Por favor, introduzca {0} primero" @@ -2752,7 +2759,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Hoja de Asistencia Mensual de Estudiante apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},El empleado {0} ya se ha aplicado para {1} entre {2} y {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Fecha de inicio del proyecto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Hasta +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Hasta DocType: Rename Tool,Rename Log,Cambiar el nombre de sesión apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupo de Estudiantes o Programa de Cursos es obligatorio DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Mantener Horas y horas de trabajo de facturación igual en parte de horas @@ -2776,7 +2783,7 @@ DocType: Purchase Order Item,Returned Qty,Cantidad devuelta DocType: Employee,Exit,Salir apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,tipo de root es obligatorio DocType: BOM,Total Cost(Company Currency),Costo Total (Divisa de la Compañía) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Número de serie {0} creado +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Número de serie {0} creado DocType: Homepage,Company Description for website homepage,Descripción de la empresa para la página de inicio página web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para la comodidad de los clientes , estos códigos se pueden utilizar en formatos impresos como facturas y notas de entrega" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nombre suplier @@ -2796,11 +2803,11 @@ DocType: SMS Settings,SMS Gateway URL,URL de pasarela SMS apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Calendario de cursos eliminados: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Estatus de mensajes SMS entregados DocType: Accounts Settings,Make Payment via Journal Entry,Hace el pago vía entrada de diario -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Impreso en +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Impreso en DocType: Item,Inspection Required before Delivery,Inspección requerida antes de la entrega DocType: Item,Inspection Required before Purchase,Inspección requerida antes de la compra apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Actividades Pendientes -apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Tu organización +apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Tu Organización DocType: Fee Component,Fees Category,Categoría de cuotas apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Por favor, introduzca la fecha de relevo" apps/erpnext/erpnext/controllers/trends.py +149,Amt,Monto @@ -2814,8 +2821,8 @@ apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} i DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Calculo de salario basado en los ingresos y deducciones apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Una cuenta con nodos hijos no puede convertirse en libro mayor DocType: Purchase Invoice Item,Accepted Warehouse,Almacén Aceptado -DocType: Bank Reconciliation Detail,Posting Date,Fecha de contabilización -DocType: Item,Valuation Method,Método de valoración +DocType: Bank Reconciliation Detail,Posting Date,Fecha de Contabilización +DocType: Item,Valuation Method,Método de Valoración apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,Marcar Medio Día DocType: Sales Invoice,Sales Team,Equipo de ventas apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Entrada duplicada @@ -2826,18 +2833,19 @@ DocType: Sales Order,In Words will be visible once you save the Sales Order.,En ,Employee Birthday,Cumpleaños del empleado DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Herramienta de Asistencia de Estudiantes por Lote apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Límite Cruzado -apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de riesgo +apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de Riesgo 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.,"Un término académico con este 'Año Académico' {0} y 'Nombre de término' {1} ya existe. Por favor, modificar estas entradas y vuelva a intentarlo." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Como hay transacciones existentes contra el elemento {0}, no se puede cambiar el valor de {1}" +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}","Como hay transacciones existentes contra el elemento {0}, no se puede cambiar el valor de {1}" DocType: UOM,Must be Whole Number,Debe ser un número entero DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuevas ausencias asignadas (en días) +DocType: Sales Invoice,Invoice Copy,Copia de la factura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,El número de serie {0} no existe DocType: Sales Invoice Item,Customer Warehouse (Optional),Almacén del cliente (opcional) 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 +289,Please select a batch,Seleccione un lote +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,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""" @@ -2875,8 +2883,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Cierre automático de in 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Congelar entradas de stock +DocType: Program Enrollment,Boarding Student,Estudiante de embarque DocType: Asset,Expected Value After Useful Life,Valor esperado después de la Vida Útil DocType: Item,Reorder level based on Warehouse,Nivel de reabastecimiento basado en almacén DocType: Activity Cost,Billing Rate,Monto de facturación @@ -2896,18 +2906,18 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registro de asistencia {0} existe en contra de estudiantes {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referencia # {0} de fecha {1} apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Depreciación Eliminada debido a la venta de activos -apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Administrar direcciones +apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Administrar Direcciones DocType: Asset,Item Code,Código del producto DocType: Production Planning Tool,Create Production Orders,Crear órdenes de producción DocType: Serial No,Warranty / AMC Details,Garantía / Detalles de CMA apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Seleccionar a los estudiantes manualmente para el grupo basado en actividad DocType: Journal Entry,User Remark,Observaciones -DocType: Lead,Market Segment,Sector de mercado -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},La cantidad pagada no puede ser superior a cantidad pendiente negativa total de {0} +DocType: Lead,Market Segment,Sector de Mercado +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},La cantidad pagada no puede ser superior a cantidad pendiente negativa total de {0} DocType: Employee Internal Work History,Employee Internal Work History,Historial de trabajo del empleado apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Cierre (Deb) DocType: Cheque Print Template,Cheque Size,Cheque Tamaño -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,El número de serie {0} no se encuentra en stock +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,El número de serie {0} no se encuentra en stock apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta DocType: Sales Invoice,Write Off Outstanding Amount,Balance de pagos pendientes apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Cuenta {0} no coincide con la Compañia {1} @@ -2922,7 +2932,7 @@ DocType: Payment Request,Reference Details,Detalles Referencia apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Useful Life must be less than Gross Purchase Amount,Valor esperado después de la vida útil debe ser inferior al importe bruto de compra 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 saldo decreciente +DocType: Asset,Double Declining Balance,Doble Disminución de Saldo apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,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 @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,Agregar algunos registros de muestra +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2945,21 +2955,21 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de serie y de lote DocType: Warranty Claim,From Company,Desde Compañía -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de las puntuaciones de criterios de evaluación tiene que ser {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de las puntuaciones de criterios de evaluación tiene que ser {0}. 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 +270,Minute,Minuto +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Minuto DocType: Purchase Invoice,Purchase Taxes and Charges,Impuestos y cargos sobre compras -,Qty to Receive,Cantidad a recibir +,Qty to Receive,Cantidad a Recibir DocType: Leave Block List,Leave Block List Allowed,Lista de 'bloqueo de vacaciones / permisos' permitida -DocType: Grading Scale Interval,Grading Scale Interval,Escala de Calificación de intervalo +DocType: Grading Scale Interval,Grading Scale Interval,Intervalo de Escala de Calificación apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reclamación de gastos para el registro de vehículos {0} DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descuento (%) en Tarifa de lista de precios con margen apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Todos los Almacenes @@ -2973,9 +2983,9 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de manteni DocType: Sales Order,% Delivered,% Entregado DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Cuenta de Sobre-Giros -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Crear nómina salarial +apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Crear Nómina Salarial apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Fila # {0}: Importe asignado no puede ser mayor que la cantidad pendiente. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Explorar la lista de materiales +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Explorar la lista de materiales apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Prestamos en garantía DocType: Purchase Invoice,Edit Posting Date and Time,Editar fecha y hora de envío apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, establece las cuentas relacionadas de depreciación de activos en Categoría {0} o de su empresa {1}" @@ -2985,17 +2995,17 @@ DocType: Lead,CRM,CRM DocType: Appraisal,Appraisal,Evaluación apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Correo electrónico enviado al proveedor {0} DocType: Opportunity,OPTY-,OPTY- -apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Repetir fecha +apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,La fecha está repetida apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +27,Authorized Signatory,Firmante Autorizado apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leave approver must be one of {0},El supervisor de ausencias debe ser uno de {0} 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 +278,Select Quantity,Seleccione cantidad +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mensaje enviado +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mensaje Enviado apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Una cuenta con nodos hijos no puede ser establecida como libro mayor DocType: C-Form,II,II DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Tasa por la cual la lista de precios es convertida como base del cliente. @@ -3014,12 +3024,13 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},No tiene permisos para actualizar las transacciones de stock mayores al {0} DocType: Purchase Invoice Item,PR Detail,Detalle PR DocType: Sales Order,Fully Billed,Totalmente Facturado +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveedor> Tipo de proveedor 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 +127,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 -DocType: Serial No,Is Cancelled,CANCELADO +DocType: Serial No,Is Cancelled,Cancelado 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" @@ -3035,7 +3046,7 @@ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_too DocType: Vehicle Log,Invoice Ref,Referencia de Factura DocType: Purchase Order,Recurring Order,Orden recurrente DocType: Company,Default Income Account,Cuenta de ingresos por defecto -apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Categoría de cliente / Cliente +apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Categoría de Cliente / Cliente apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +37,Unclosed Fiscal Years Profit / Loss (Credit),Sin cerrar los años fiscales ganancias / pérdidas (de crédito) DocType: Sales Invoice,Time Sheets,Tablas de Tiempo DocType: Payment Gateway Account,Default Payment Request Message,Mensaje de solicitud de pago por defecto @@ -3051,8 +3062,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Importe total calculado (a 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 DocType: Customs Tariff Number,Tariff Number,Número de tarifa +DocType: Production Order Item,Available Qty at WIP Warehouse,Cantidad disponible en WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Proyectado -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Número de serie {0} no pertenece al Almacén {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Número de serie {0} no pertenece al Almacén {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,Nota : El sistema no verificará sobre-entregas y exceso de almacenamiento para el producto {0} ya que la cantidad es 0 DocType: Notification Control,Quotation Message,Mensaje de Presupuesto DocType: Employee Loan,Employee Loan Application,Solicitud de Préstamo del empleado @@ -3069,14 +3081,14 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse mus apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Monto de costos de destino estimados apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Listado de facturas emitidas por los proveedores. -DocType: POS Profile,Write Off Account,Cuenta de desajuste -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Monto de Nota de Debito +DocType: POS Profile,Write Off Account,Cuenta de Desajuste +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Monto de Nota de Debito apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Descuento DocType: Purchase Invoice,Return Against Purchase Invoice,Devolución contra factura de compra 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 +207,e.g. VAT,por ejemplo IVA +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3084,7 +3096,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 +1945,Please select customer,"Por favor, seleccione al cliente" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3113,7 +3125,7 @@ DocType: Lead,Address Desc,Dirección apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Parte es obligatoria DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Nombre del tema -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Al menos uno de la venta o compra debe seleccionar +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Al menos uno de la venta o compra debe seleccionar apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Seleccione la naturaleza de su negocio. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Entrada duplicada en Referencias {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dónde se realizan las operaciones de producción @@ -3122,13 +3134,13 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,La cantidad mínima no puede ser mayor que la cantidad maxima +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 DocType: Account,Accumulated Depreciation,Depreciación acumulada DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor DocType: Employee Loan Application,Required by Date,Requerido por Fecha DocType: Lead,Lead Owner,Propietario de la iniciativa DocType: Bin,Requested Quantity,Cantidad requerida -DocType: Employee,Marital Status,Estado civil +DocType: Employee,Marital Status,Estado Civil DocType: Stock Settings,Auto Material Request,Requisición de materiales automática DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Cantidad de lotes disponibles desde Almacén DocType: Customer,CUST-,CUST- @@ -3146,15 +3158,15 @@ DocType: Delivery Note,Transporter Info,Información de Transportista apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Por favor seleccione el valor por defecto {0} en la empresa {1} DocType: Cheque Print Template,Starting position from top edge,Posición inicial desde el borde superior de partida apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Mismo proveedor se ha introducido varias veces -apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Utilidad Bruta / Pérdida +apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Utilidad / Pérdida Bruta DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Producto suministrado desde orden de compra apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nombre de la empresa no puede ser Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Membretes para las plantillas de impresión. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para las plantillas de impresión, por ejemplo, Factura proforma." +DocType: Program Enrollment,Walking,Para caminar DocType: Student Guardian,Student Guardian,Tutor del estudiante apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Cargos de tipo de valoración no pueden marcado como Incluido DocType: POS Profile,Update Stock,Actualizar el Inventario -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveedor> Tipo de proveedor apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Unidad de Medida diferente para elementos dará lugar a Peso Neto (Total) incorrecto. Asegúrese de que el peso neto de cada artículo esté en la misma Unidad de Medida. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Coeficiente de la lista de materiales (LdM) DocType: Asset,Journal Entry for Scrap,Entrada de diario para desguace @@ -3206,7 +3218,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar impuesto fragmentado apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3225,14 +3236,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Cuenta de efectivo por defecto apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Configuración general del sistema. 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 +176,No Students in,No hay estudiantes en +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 +108,Please enter 'Expected Delivery Date',"Por favor, introduzca 'la fecha prevista de entrega'" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN no válido o Enter NA para No registrado +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 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,21 +3273,23 @@ DocType: Sales Team,Contribution (%),Margen (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota : El registro del pago no se creará hasta que la cuenta del tipo 'Banco o Cajas' sea definida apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilidades DocType: Expense Claim Account,Expense Claim Account,Cuenta de Gastos +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} a través de Configuración> Configuración> Nombrar Series DocType: Sales Person,Sales Person Name,Nombre de vendedor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, introduzca al menos 1 factura en la tabla" +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Agregar usuarios DocType: POS Item Group,Item Group,Grupo de productos DocType: Item,Safety Stock,Stock de seguridad apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,El % de avance para una tarea no puede ser más de 100. -DocType: Stock Reconciliation Item,Before reconciliation,Antes de reconciliación +DocType: Stock Reconciliation Item,Before reconciliation,Antes de Reconciliación apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Para {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impuestos y cargos adicionales (Divisa por defecto) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"El campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"El campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos" DocType: Sales Order,Partly Billed,Parcialmente facturado apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Elemento {0} debe ser un elemento de activo fijo DocType: Item,Default BOM,Lista de Materiales (LdM) por defecto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Monto de Nota de Debito +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Monto de Nota de Debito apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Por favor, vuelva a escribir nombre de la empresa para confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Monto total pendiente +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Monto total pendiente DocType: Journal Entry,Printing Settings,Ajustes de impresión DocType: Sales Invoice,Include Payment (POS),Incluir Pago (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},El débito total debe ser igual al crédito. La diferencia es {0} @@ -3284,21 +3297,20 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoto DocType: Vehicle,Insurance Company,Compañía de seguros DocType: Asset Category Account,Fixed Asset Account,Cuenta de activo fijo apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variable -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Desde nota de entrega +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Desde nota de entrega DocType: Student,Student Email Address,Dirección de correo electrónico del Estudiante DocType: Timesheet Detail,From Time,Desde hora apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,En Stock: DocType: Notification Control,Custom Message,Mensaje personalizado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Inversión en la banca apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,'Cuenta de Efectivo' o 'Cuenta Bancaria' es obligatoria para hacer una entrada de pago -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Dirección del estudiante 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 +1517,Address Name,Nombre de la dirección +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 +DocType: Assessment Code,Assessment Code,Código Evaluación apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Base apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Las operaciones de inventario antes de {0} se encuentran congeladas apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Por favor, haga clic en 'Generar planificación'" @@ -3313,7 +3325,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3321,7 +3333,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,El valor introducido debe ser positivo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3330,7 +3342,7 @@ DocType: Process Payroll,Process Payroll,Procesar nómina apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Existen más vacaciones que días de trabajo en este mes. DocType: Product Bundle Item,Product Bundle Item,Artículo del conjunto de productos DocType: Sales Partner,Sales Partner Name,Nombre de socio de ventas -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Solicitud de Presupuestos +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Solicitud de Presupuestos DocType: Payment Reconciliation,Maximum Invoice Amount,Importe Máximo de Factura DocType: Student Language,Student Language,Idioma del Estudiante apps/erpnext/erpnext/config/selling.py +23,Customers,Clientes @@ -3340,25 +3352,25 @@ DocType: Asset,Partially Depreciated,Despreciables Parcialmente DocType: Issue,Opening Time,Hora de Apertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Desde y Hasta la fecha solicitada apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Cambios de valores y bienes -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,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 +DocType: Purchase Taxes and Charges,Valuation and Total,Valuación y Total DocType: Tax Rule,Shipping City,Ciudad de envió -DocType: Notification Control,Customize the Notification,Personalizar notificación +DocType: Notification Control,Customize the Notification,Personalizar Notificación apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +19,Cash Flow from Operations,Flujo de caja operativo DocType: Sales Invoice,Shipping Rule,Regla de envío DocType: Manufacturer,Limited to 12 characters,Limitado a 12 caracteres -DocType: Journal Entry,Print Heading,Imprimir encabezado +DocType: Journal Entry,Print Heading,Imprimir Encabezado apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,Total no puede ser cero 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 +266,Raw Material,Materia prima +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3370,7 +3382,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -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} a través de Configuración> Configuración> Nombrar Series 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. @@ -3382,12 +3393,12 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Número de serie requerido para el producto serializado {0} +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/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 DocType: Journal Entry,Bank Entry,Registro de Banco DocType: Authorization Rule,Applicable To (Designation),Aplicables a (Puesto) -,Profitability Analysis,Cuenta de resultados +,Profitability Analysis,Cuenta de Resultados apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Añadir a la Cesta apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Agrupar por DocType: Guardian,Interests,Intereses @@ -3400,7 +3411,7 @@ 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 +270,Hour,Hora +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3410,7 +3421,7 @@ DocType: Item,Default Material Request Type,El material predeterminado Tipo de s 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 +645,Point of Sale,Punto de Venta +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3425,15 +3436,15 @@ 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 +270,Gram,Gramo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." -DocType: POS Customer Group,Customer Group,Categoría de cliente +DocType: POS Customer Group,Customer Group,Categoría de Cliente apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nuevo ID de lote (opcional) apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},La cuenta de gastos es obligatoria para el elemento {0} -DocType: BOM,Website Description,Descripción del sitio web +DocType: BOM,Website Description,Descripción del Sitio Web apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Cambio en el Patrimonio Neto 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}" @@ -3441,7 +3452,7 @@ DocType: Serial No,AMC Expiry Date,Fecha de caducidad de CMA (Contrato de Manten apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +799,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 +DocType: Quotation,Quotation Lost Reason,Razón de la Pérdida apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Seleccione su dominio apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referencia de la transacción nro {0} fechada {1} apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,No hay nada que modificar. @@ -3451,14 +3462,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 +465,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 +466,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 +834,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 +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 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 @@ -3488,9 +3499,9 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services, DocType: Student Sibling,Student ID,Identificación del Estudiante apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Tipos de actividades para los registros de tiempo DocType: Tax Rule,Sales,Ventas -DocType: Stock Entry Detail,Basic Amount,Importe base +DocType: Stock Entry Detail,Basic Amount,Importe Base DocType: Training Event,Exam,Examen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,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 +437,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 DocType: Tax Rule,Billing State,Región de facturación @@ -3502,7 +3513,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandato apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incremento de Atributo {0} no puede ser 0 DocType: Journal Entry,Pay To / Recd From,Pagar a / Recibido de DocType: Naming Series,Setup Series,Configurar secuencias -DocType: Payment Reconciliation,To Invoice Date,Para Factura Fecha +DocType: Payment Reconciliation,To Invoice Date,Fecha para Factura DocType: Supplier,Contact HTML,HTML de Contacto ,Inactive Customers,Clientes Inactivos DocType: Landed Cost Voucher,LCV,LCV @@ -3526,7 +3537,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 +766,Send Supplier Emails,Enviar mensajes de correo electrónico del proveedor +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,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 @@ -3534,10 +3545,10 @@ apps/erpnext/erpnext/config/hr.py +177,Training,Formación DocType: Timesheet,Employee Detail,Detalle de los Empleados apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID de correo electrónico del Tutor1 apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,"El día ""siguiente fecha"" y ""repetir un día del mes"" deben ser iguales" -apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ajustes para la página de inicio página web +apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ajustes para la página de inicio de la página web 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 +214,Invalid attribute {0} {1},atributo no válido {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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' @@ -3558,8 +3569,8 @@ 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 +658,Get Items from Product Bundle,Obtener elementos del paquete del producto -DocType: Asset,Straight Line,Línea recta +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,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 DocType: GL Entry,Is Advance,Es un anticipo @@ -3582,7 +3593,7 @@ apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +68,Total (C DocType: Repayment Schedule,Payment Date,Fecha de Pago apps/erpnext/erpnext/stock/doctype/batch/batch.js +102,New Batch Qty,Nueva cantidad de lote apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +10,Apparel & Accessories,Ropa y Accesorios -apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Número de orden +apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Número de Orden DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner que aparecerá en la parte superior de la lista de productos. 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 @@ -3608,7 +3619,7 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with exist DocType: Vehicle,Last Carbon Check,Último control de Carbono apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,GASTOS LEGALES apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Por favor, seleccione la cantidad en la fila" -DocType: Purchase Invoice,Posting Time,Hora de contabilización +DocType: Purchase Invoice,Posting Time,Hora de Contabilización DocType: Timesheet,% Amount Billed,% importe facturado apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Cuenta telefonica DocType: Sales Partner,Logo,Logo @@ -3620,7 +3631,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \ Email Address'",{0} es una dirección de email inválida en 'Notificación \ Dirección de email' 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 +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 DocType: Bank Reconciliation Detail,Cheque Date,Fecha del cheque @@ -3635,16 +3646,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,componentes de sueldos DocType: Program Enrollment Tool,New Academic Year,Nuevo Año Académico apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Devolución / Nota de Crédito DocType: Stock Settings,Auto insert Price List rate if missing,Insertar automáticamente Tasa de Lista de Precio si falta -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Importe total pagado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Importe total pagado DocType: Production Order Item,Transferred Qty,Cantidad Transferida apps/erpnext/erpnext/config/learn.py +11,Navigating,Navegación apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planificación 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 +272,We sell this Item,Vendemos este producto +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,Data 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 @@ -3656,7 +3669,7 @@ 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}" 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 +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 +168,Note: Item {0} entered multiple times,Nota : El producto {0} ha sido ingresado varias veces @@ -3675,7 +3688,7 @@ DocType: Purchase Invoice,Taxes and Charges Added,Impuestos y cargos adicionales apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,La abreviatura es obligatoria DocType: Project,Task Progress,Progreso de Tarea apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Carrito -,Qty to Transfer,Cantidad a transferir +,Qty to Transfer,Cantidad a Transferir apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotizaciones enviadas a los clientes u oportunidades de venta. DocType: Stock Settings,Role Allowed to edit frozen stock,Rol que permite editar inventario congelado ,Territory Target Variance Item Group-Wise,Territory Target Variance Item Group-Wise @@ -3692,13 +3705,13 @@ 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 +1186,Please set Company,Por favor seleccione Compañía +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 ,Reqd By Date,Fecha de solicitud apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Acreedores -DocType: Assessment Plan,Assessment Name,Nombre de la evaluación +DocType: Assessment Plan,Assessment Name,Nombre de la Evaluación apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Línea # {0}: El número de serie es obligatorio 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 @@ -3708,13 +3721,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,'En pal 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el artículo {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el artículo {1} DocType: Lead,Add to calendar on this date,Añadir al calendario en esta fecha apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglas para añadir los gastos de envío. DocType: Item,Opening Stock,Stock de Apertura -apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Se requiere cliente +apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Se requiere Cliente apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} es obligatorio para la devolución DocType: Purchase Order,To Receive,Recibir +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,usuario@ejemplo.com DocType: Employee,Personal Email,Correo electrónico personal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variacion DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si está habilitado, el sistema contabiliza los asientos contables para el inventario de forma automática." @@ -3725,7 +3739,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 +541,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 +542,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 @@ -3733,7 +3747,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Fuera de garantía DocType: BOM Replace Tool,Replace,Reemplazar apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No se encuentran productos -DocType: Production Order,Unstopped,destapados apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra la factura de ventas {1} DocType: Sales Invoice,SINV-,FACT- DocType: Request for Quotation Item,Project Name,Nombre de Proyecto @@ -3744,6 +3757,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} 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,17 +3786,17 @@ apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transacciones de Stoc DocType: Budget,Budget Accounts,Cuentas de Presupuesto DocType: Employee,Internal Work History,Historial de trabajo interno DocType: Depreciation Schedule,Accumulated Depreciation Amount,Depreciación acumulada Importe -apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +42,Private Equity,Capital de riesgo +apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +42,Private Equity,Capital de Riesgo DocType: Employee Loan,Fully Disbursed,Completamente Desembolsado DocType: Maintenance Visit,Customer Feedback,Comentarios de cliente DocType: Account,Expense,Gastos apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34,Score cannot be greater than Maximum Score,Los resultados no puede ser mayor que puntaje máximo DocType: Item Attribute,From Range,Desde Rango apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Error de sintaxis en la fórmula o condición: {0} -DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Trabajo Diario resumen de la configuración de la empresa -apps/erpnext/erpnext/stock/utils.py +100,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: 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 +40,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 +102,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 @@ -3790,16 +3804,18 @@ 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 +209,Rate (%),Porcentaje (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Por favor, establezca el filtro Company en blanco si Group By es 'Company'" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Fecha de entrada no puede ser fecha futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Línea # {0}: Número de serie {1} no coincide con {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Permiso ocacional -DocType: Batch,Batch ID,ID de lote +DocType: Batch,Batch ID,ID de Lote apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Nota: {0} ,Delivery Note Trends,Evolución de las notas de entrega apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Resumen de la semana. @@ -3824,7 +3840,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Entradas en el mayor de inventari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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" +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" DocType: Accounts Settings,Accounts Settings,Configuración de cuentas apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Aprobar DocType: Customer,Sales Partner and Commission,Comisiones y socios de ventas @@ -3839,7 +3855,7 @@ 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 +62,{0} items produced,{0} artículos producidos +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3847,13 +3863,13 @@ DocType: Production Order Operation,Production Order Operation,Operación en la 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 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/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} DocType: Journal Entry Account,Exchange Rate,Tipo de cambio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,La órden de venta {0} no esta validada +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 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 @@ -3872,24 +3888,24 @@ DocType: Monthly Distribution,Monthly Distribution Percentages,Porcentajes de di apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,El producto seleccionado no puede contener lotes apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tasa de valorización no encontrado para el elemento {0}, que se requiere para hacer asientos contables para {1} {2}. Si el artículo está tramitando como un elemento de la muestra en el {1}, por favor mencionar que en la tabla {1} artículo. De lo contrario, por favor crea una transacción de acciones de entrada para la tasa de valorización artículo o mención en el registro de artículos y, a continuación, tratar de enviar / cancelación de esta entrada" DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiales entregados contra esta nota de entrega -DocType: Project,Customer Details,Datos de cliente +DocType: Project,Customer Details,Datos de Cliente DocType: Employee,Reports to,Enviar Informes a ,Unpaid Expense Claim,Reclamación de gastos no pagados 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 +705,Online,En línea +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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,La lista de materiales de chatarra de artículos -apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar +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/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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Pagar una cantidad fija por Período apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Por favor, ingrese la cantidad para el producto {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Monto de Nora de Credito +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Monto de Nora de Credito DocType: Employee External Work History,Employee External Work History,Historial de de trabajos anteriores DocType: Tax Rule,Purchase,Compra apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance @@ -3909,12 +3925,12 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Payment Entry,Set Exchange Gain / Loss,Ajuste de ganancia del intercambio / Pérdida ,GST Purchase Register,Registro de Compra de TPS ,Cash Flow,Flujo de fondos -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Período de aplicación no puede ser a través de dos registros alocation +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Período de aplicación no puede ser a través de dos registros de asignación 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 +2383,Select items to save the invoice,Seleccione artículos para guardar la factura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3925,7 +3941,7 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,O apps/erpnext/erpnext/controllers/recurring_document.py +136,Please find attached {0} #{1},"Por favor, buscar el adjunto {0} #{1}" apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Equilibrio extracto bancario según Contabilidad General DocType: Job Applicant,Applicant Name,Nombre del Solicitante -DocType: Authorization Rule,Customer / Item Name,Cliente / Nombre de artículo +DocType: Authorization Rule,Customer / Item Name,Cliente / Nombre de Artículo DocType: Product Bundle,"Aggregate group of **Items** into another **Item**. This is useful if you are bundling a certain **Items** into a package and you maintain stock of the packed **Items** and not the aggregate **Item**. The package **Item** will have ""Is Stock Item"" as ""No"" and ""Is Sales Item"" as ""Yes"". @@ -3943,6 +3959,7 @@ DocType: Guardian,Guardian Of ,Tutor de DocType: Grading Scale Interval,Threshold,Límite DocType: BOM Replace Tool,Current BOM,Lista de materiales (LdM) actual apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Agregar No. de serie +DocType: Production Order Item,Available Qty at Source Warehouse,Cantidad disponible en Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garantía DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida DocType: Production Order,Warehouses,Almacenes @@ -3958,14 +3975,14 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Total Pagado apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerente de proyectos ,Quoted Item Comparison,Comparación de artículos de Cotización apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Despacho -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para el producto: {0} es {1}% +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 +279,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 +879,Select Items to Manufacture,Seleccionar artículos para Fabricación -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"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 +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" +DocType: Item,Material Issue,Expedición de Material DocType: Hub Settings,Seller Description,Descripción del vendedor DocType: Employee Education,Qualification,Calificación DocType: Item Price,Item Price,Precio de productos @@ -3977,18 +3994,18 @@ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.j DocType: Salary Detail,Component,Componente DocType: Assessment Criteria,Assessment Criteria Group,Criterios de evaluación del Grupo apps/erpnext/erpnext/accounts/doctype/asset/asset.py +72,Opening Accumulated Depreciation must be less than equal to {0},La apertura de la depreciación acumulada debe ser inferior o igual a {0} -DocType: Warehouse,Warehouse Name,Nombre del almacén +DocType: Warehouse,Warehouse Name,Nombre del Almacén DocType: Naming Series,Select Transaction,Seleccione el tipo de transacción apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30,Please enter Approving Role or Approving User,"Por favor, introduzca 'Función para aprobar' o 'Usuario de aprobación'---" DocType: Journal Entry,Write Off Entry,Diferencia de desajuste 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/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/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 +200,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 +198,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 @@ -4008,7 +4025,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para establecer este año fiscal por defecto, haga clic en 'Establecer como predeterminado'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,unirse apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Cantidad faltante -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos DocType: Employee Loan,Repay from Salary,Pagar de su sueldo DocType: Leave Application,LAP/,LAP/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Solicitando el pago contra {0} {1} para la cantidad {2} @@ -4026,18 +4043,18 @@ 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 +1011,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,El número de serie {0} ya ha sido recibido +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 ,Requested Items To Be Transferred,Artículos solicitados para ser transferidos 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 +1312,Delete permanently?,Eliminar de forma permanente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},No válida {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},No válida {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Permiso por enfermedad DocType: Email Digest,Email Digest,Boletín por correo electrónico DocType: Delivery Note,Billing Address Name,Nombre de la dirección de facturación @@ -4050,13 +4067,14 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Devengable DocType: Company,Change Abbreviation,Cambiar abreviación DocType: Expense Claim Detail,Expense Date,Fecha de gasto +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 DocType: Item,Max Discount (%),Descuento máximo (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Monto de la última orden DocType: Task,Is Milestone,Es un Hito DocType: Daily Work Summary,Email Sent To,Correo electrónico enviado a DocType: Budget,Warn,Advertir DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Otras observaciones, que deben ir en los registros." -DocType: BOM,Manufacturing User,Usuario de producción +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 @@ -4064,17 +4082,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Del 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 -DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Propósito de visita +DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Propósito de Visita de Mantenimiento apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Período apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Balance general apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +33,Employee {0} on Leave on {1},Empleado {0} en excedencia {1} -apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Ver iniciativas +apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Ver Iniciativas DocType: Program Enrollment Tool,New Program,Nuevo Programa DocType: Item Attribute Value,Attribute Value,Valor del Atributo ,Itemwise Recommended Reorder Level,Nivel recomendado de reabastecimiento de producto -DocType: Salary Detail,Salary Detail,Detalle de sueldos -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Por favor, seleccione primero {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,El lote {0} del producto {1} ha expirado. +DocType: Salary Detail,Salary Detail,Detalle de Sueldos +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Por favor, seleccione primero {0}" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,El lote {0} del producto {1} ha expirado. DocType: Sales Invoice,Commission,Comisión apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Hoja de tiempo para la fabricación. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal @@ -4099,17 +4117,17 @@ 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 +399,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 +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/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 +387,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 +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/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 apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Asignar las ausencias para un período. -apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Los cheques y depósitos borran de forma incorrecta +apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques y Depósitos liquidados de forma incorrecta apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignarse a sí misma como cuenta padre DocType: Purchase Invoice Item,Price List Rate,Tarifa de la lista de precios apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Crear cotizaciones de clientes @@ -4134,7 +4152,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Fecha de eliminación DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Los correos electrónicos serán enviados a todos los empleados activos de la empresa a la hora determinada, si no tienen vacaciones. Resumen de las respuestas será enviado a la medianoche." DocType: Employee Leave Approver,Employee Leave Approver,Supervisor de ausencias de empleados -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdida, porque se ha hecho el Presupuesto" 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 @@ -4167,6 +4185,7 @@ DocType: Announcement,Student,Estudiante apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unidades de la organización (listado de departamentos. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Por favor, ingrese un numero de móvil válido" apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Por favor, ingrese el mensaje antes de enviarlo" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICADO PARA PROVEEDOR DocType: Email Digest,Pending Quotations,Presupuestos pendientes apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfiles de punto de venta (POS) apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Por favor, actualizar la configuración SMS" @@ -4175,7 +4194,7 @@ DocType: Cost Center,Cost Center Name,Nombre del centro de costos DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Máximo las horas de trabajo contra la parte de horas DocType: Maintenance Schedule Detail,Scheduled Date,Fecha prevista. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Monto total pagado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Monto total pagado DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Los mensajes con más de 160 caracteres se dividirá en varios envios DocType: Purchase Receipt Item,Received and Accepted,Recibidos y aceptados ,GST Itemised Sales Register,Registro detallado de ventas de GST @@ -4185,19 +4204,19 @@ 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 +237,Your Suppliers,Sus proveedores +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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'" apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Recibido de DocType: Lead,Converted,Convertido DocType: Item,Has Serial No,Posee numero de serie -DocType: Employee,Date of Issue,Fecha de emisión. +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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Sitio web Imagen {0} unido al artículo {1} no se puede encontrar +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. @@ -4212,7 +4231,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,¿A qué se apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Para Almacén apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas las admisiones de estudiantes ,Average Commission Rate,Tasa de comisión promedio -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"'Posee numero de serie' no puede ser ""Sí"" para los productos que NO son de stock" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"'Posee numero de serie' no puede ser ""Sí"" para los productos que NO son de stock" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,La asistencia no se puede marcar para fechas futuras DocType: Pricing Rule,Pricing Rule Help,Ayuda de regla de precios DocType: School House,House Name,Nombre de la casa @@ -4225,10 +4244,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0 apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID de usuario no establecido para el empleado {0} DocType: Vehicle,Vehicle Value,El valor del vehículo DocType: Stock Entry,Default Source Warehouse,Almacén de origen -DocType: Item,Customer Code,Código de cliente +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 +339,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 +340,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 @@ -4239,26 +4258,26 @@ DocType: Shopping Cart Settings,Checkout Settings,Ajustes del Pedido DocType: Attendance,Present,Presente apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +35,Delivery Note {0} must not be submitted,La nota de entrega {0} no debe estar validada DocType: Notification Control,Sales Invoice Message,Mensaje de factura -apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Cuenta {0} Clausura tiene que ser de Responsabilidad / Patrimonio +apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Cuenta de Clausura {0} tiene que ser de Responsabilidad / Patrimonio apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Nómina de sueldo del empleado {0} ya creado para la hoja de tiempo {1} DocType: Vehicle Log,Odometer,Cuentakilómetros DocType: Sales Order Item,Ordered Qty,Cantidad ordenada -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Artículo {0} está deshabilitado +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 +874,BOM does not contain any stock item,BOM no contiene ningún artículo común +apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generar nóminas salariales -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","'Compras' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","'Compras' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,El descuento debe ser inferior a 100 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 +500,Default BOM for {0} not found,BOM por defecto para {0} no encontrado -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Fila # {0}: Configure la cantidad de pedido +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/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 +DocType: Fees,Program Enrollment,Programa de Inscripción DocType: Landed Cost Voucher,Landed Cost Voucher,Comprobante de costos de destino estimados apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Por favor, configure {0}" DocType: Purchase Invoice,Repeat on Day of Month,Repetir un día al mes @@ -4283,7 +4302,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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.","Ejemplo:. ABCD ##### Si la serie se establece y el número de serie no se menciona en las transacciones, entonces se creara un número de serie automático sobre la base de esta serie. Si siempre quiere mencionar explícitamente los números de serie para este artículo, déjelo en blanco." -DocType: Upload Attendance,Upload Attendance,Subir asistencia +DocType: Upload Attendance,Upload Attendance,Subir Asistencia apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Se requiere la lista de materiales (LdM) y cantidad a manufacturar. apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rango de antigüedad 2 DocType: SG Creation Tool Course,Max Strength,Fuerza máx @@ -4291,24 +4310,24 @@ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py ,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 -DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de producción +DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Producción apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configuración de correo apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Móvil del Tutor1 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Por favor, ingrese la divisa por defecto en la compañía principal" DocType: Stock Entry Detail,Stock Entry Detail,Detalles de entrada de inventario -apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Recordatorios diarios +apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Recordatorios Diarios DocType: Products Settings,Home Page is Products,La página de inicio son los productos ,Asset Depreciation Ledger,Libro Mayor Depreciacion de Activos apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +86,Tax Rule Conflicts with {0},Conflicto de impuestos con {0} apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nombre de la nueva cuenta DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costo materias primas suministradas DocType: Selling Settings,Settings for Selling Module,Ajustes para módulo de ventas -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Servicio al cliente +apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Servicio al Cliente DocType: BOM,Thumbnail,Miniatura DocType: Item Customer Detail,Item Customer Detail,Detalle del producto para el cliente apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ofrecer al candidato un empleo. DocType: Notification Control,Prompt for Email on Submission of,Consultar por el correo electrónico el envío de -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,Total de hojas asignados más de día en el período +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,Total de hojas asignados son más que los días en el período DocType: Pricing Rule,Percentage,Porcentaje apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,El producto {0} debe ser un producto en stock DocType: Manufacturing Settings,Default Work In Progress Warehouse,Almacén predeterminado de trabajos en proceso @@ -4316,7 +4335,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,La fecha prevista no puede ser menor que la fecha de requisición de materiales DocType: Purchase Invoice Item,Stock Qty,Cantidad de existencias -DocType: Production Order,Source Warehouse (for reserving Items),Fuente de almacenes (para reservar artículos) DocType: Employee Loan,Repayment Period in Months,Plazo de devolución en Meses apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Error: No es un ID válido? DocType: Naming Series,Update Series Number,Actualizar número de serie @@ -4331,7 +4349,7 @@ apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemb 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 línea: {0} DocType: Sales Partner,Partner Type,Tipo de socio DocType: Purchase Taxes and Charges,Actual,Actual -DocType: Authorization Rule,Customerwise Discount,Descuento de cliente +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 @@ -4356,7 +4374,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale, DocType: Issue,First Responded On,Primera respuesta el DocType: Website Item Group,Cross Listing of Item in multiple groups,Cruz Ficha de artículo en varios grupos apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +90,Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},La fecha de inicio y la fecha final ya están establecidos en el año fiscal {0} -apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +97,Clearance Date updated,Liquidación Fecha actualiza +apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +97,Clearance Date updated,Fecha de Liquidación actualizada apps/erpnext/erpnext/stock/doctype/batch/batch.js +126,Split Batch,Lote dividido apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +131,Successfully Reconciled,Reconciliado exitosamente DocType: Request for Quotation Supplier,Download PDF,Descargar PDF @@ -4364,7 +4382,7 @@ DocType: Production Order,Planned End Date,Fecha de finalización planeada apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Dónde se almacenarán los productos DocType: Request for Quotation,Supplier Detail,Detalle del proveedor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Error Fórmula o Condición: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Cantidad facturada +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Cantidad facturada DocType: Attendance,Attendance,Asistencia apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Artículos en stock DocType: BOM,Materials,Materiales @@ -4390,7 +4408,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulor DocType: Customer Group,Parent Customer Group,Categoría principal de cliente DocType: Purchase Invoice,Contact Email,Correo electrónico de contacto DocType: Appraisal Goal,Score Earned,Puntuación Obtenida. -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Período de notificación +apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Período de Notificación DocType: Asset Category,Asset Category Name,Nombre de la Categoría de Activos apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este es un territorio principal y no se puede editar. apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nombre nuevo encargado de ventas @@ -4404,10 +4422,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,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 +382,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 +650,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}" DocType: Item,Default Warehouse,Almacén por defecto apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},El presupuesto no se puede asignar contra el grupo de cuentas {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Por favor, ingrese el centro de costos principal" @@ -4445,19 +4463,19 @@ DocType: HR Settings,"If checked, Total no. of Working Days will include holiday DocType: Purchase Invoice,Total Advance,Total anticipo 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.,"La fecha final de duración no puede ser anterior a la fecha de inicio Plazo. Por favor, corrija las fechas y vuelve a intentarlo." apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Cuenta Cotización -,BOM Stock Report,La lista de materiales de Informe +,BOM Stock Report,Reporte de Stock de BOM DocType: Stock Reconciliation Item,Quantity Difference,Diferencia de Cantidad apps/erpnext/erpnext/config/hr.py +311,Processing Payroll,Procesando nómina -DocType: Opportunity Item,Basic Rate,Precio base +DocType: Opportunity Item,Basic Rate,Precio Base DocType: GL Entry,Credit Amount,Importe acreditado -DocType: Cheque Print Template,Signatory Position,Posición signatario +DocType: Cheque Print Template,Signatory Position,Posición Signatario apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +175,Set as Lost,Establecer como perdido DocType: Timesheet,Total Billable Hours,Total de Horas Facturables apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Nota de Recibo de Pago apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Esto se basa en transacciones con este cliente. Ver cronología más abajo para los detalles DocType: Supplier,Credit Days Based On,Días de crédito basados en apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Fila {0}: cantidad asignada {1} debe ser menor o igual a la cantidad de entrada de pago {2} -,Course wise Assessment Report,Informe de evaluación del curso +,Course wise Assessment Report,Informe de Evaluación del Curso DocType: Tax Rule,Tax Rule,Regla fiscal DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantener mismo precio durante todo el ciclo de ventas DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear las horas adicionales en la estación de trabajo. @@ -4466,7 +4484,7 @@ 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 +1344,Select or add new customer,Seleccionar o añadir nuevo cliente +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/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 @@ -4474,6 +4492,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configuración del sistema de nombres de empleados en recursos humanos> Configuración de recursos humanos 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 +231,{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. @@ -4482,11 +4501,11 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 +252,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: 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}" apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} no existe -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Seleccionar números de lote +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Seleccionar Números de Lote apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Listado de facturas emitidas a los clientes. apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID del proyecto 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} @@ -4495,8 +4514,8 @@ DocType: Account,Parent Account,Cuenta principal apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,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 +1637,Price List not found or disabled,La lista de precios no existe o está deshabilitada. +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. 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""" @@ -4516,12 +4535,12 @@ DocType: POS Profile,Account for Change Amount,Cuenta para Monto de Cambio apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Línea {0}: Socio / Cuenta no coincide con {1} / {2} en {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Por favor, ingrese la Cuenta de Gastos" DocType: Account,Stock,Almacén -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser uno de la orden de compra, factura de compra o de entrada de diario" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser uno de la orden de compra, factura de compra o de entrada de diario" DocType: Employee,Current Address,Dirección Actual DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si el artículo es una variante de otro artículo entonces la descripción, imágenes, precios, impuestos, etc. se establecerán a partir de la plantilla a menos que se especifique explícitamente" DocType: Serial No,Purchase / Manufacture Details,Detalles de compra / producción -DocType: Assessment Group,Assessment Group,Grupo de evaluación -apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,Inventario de lotes +DocType: Assessment Group,Assessment Group,Grupo de Evaluación +apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,Inventario de Lotes DocType: Employee,Contract End Date,Fecha de finalización de contrato DocType: Sales Order,Track this Sales Order against any Project,Monitorear esta órden de venta sobre cualquier proyecto DocType: Sales Invoice Item,Discount and Margin,Descuento y Margen @@ -4554,11 +4573,12 @@ DocType: Student,Home Address,Direccion de casa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transferir Activo DocType: POS Profile,POS Profile,Perfil de POS DocType: Training Event,Event Name,Nombre del Evento -apps/erpnext/erpnext/config/schools.py +39,Admission,Admisión +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Admisión apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admisiones para {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","El producto {0} es una plantilla, por favor seleccione una de sus variantes" DocType: Asset,Asset Category,Categoría de Activos +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Comprador apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,El salario neto no puede ser negativo DocType: SMS Settings,Static Parameters,Parámetros estáticos DocType: Assessment Plan,Room,Habitación @@ -4567,9 +4587,10 @@ DocType: Item,Item Tax,Impuestos del producto apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiales de Proveedor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio DocType: Expense Claim,Employees Email Id,ID de Email de empleados DocType: Employee Attendance Tool,Marked Attendance,Asistencia Marcada -apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Pasivo circulante +apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Pasivo Circulante apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Enviar mensajes SMS masivos a sus contactos DocType: Program,Program Name,Nombre del programa DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considerar impuestos o cargos por @@ -4581,7 +4602,7 @@ DocType: BOM,Item to be manufactured or repacked,Producto a manufacturar o re-em apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Los ajustes por defecto para las transacciones de inventario. DocType: Purchase Invoice,Next Date,Siguiente fecha DocType: Employee Education,Major/Optional Subjects,Principales / Asignaturas Optativas -DocType: Sales Invoice Item,Drop Ship,Nave de la gota +DocType: Sales Invoice Item,Drop Ship,Envío Triangulado DocType: Training Event,Attendees,Asistentes DocType: Employee,"Here you can maintain family details like name and occupation of parent, spouse and children","Aquí usted puede ingresar los detalles de la familia como el nombre y ocupación de los padres, cónyuge e hijos" DocType: Academic Term,Term End Date,Plazo Fecha de finalización @@ -4591,11 +4612,11 @@ 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 -DocType: Item Attribute,Numeric Values,Valores numéricos +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 DocType: Customer,Commission Rate,Comisión de ventas -apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Crear variante +apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Crear Variante apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquear solicitudes de ausencias por departamento. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipo de pago debe ser uno de Recibir, Pagar y Transferencia Interna" apps/erpnext/erpnext/config/selling.py +179,Analytics,Analítica @@ -4629,7 +4650,7 @@ DocType: Batch,Expiry Date,Fecha de caducidad ,accounts-browser,cuentas en navegador apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Por favor, seleccione primero la categoría" apps/erpnext/erpnext/config/projects.py +13,Project master.,Listado de todos los proyectos. -apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Para permitir que el exceso de facturación o exceso de pedidos, actualizar "Asignación" en el archivo Configuración o el artículo." +apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Para permitir exceso de facturación o exceso de pedidos, actualizar ""Asignación"" en el archivo Configuración o en el artículo." DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,No volver a mostrar cualquier símbolo como $ u otro junto a las monedas. apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Medio día) DocType: Supplier,Credit Days,Días de crédito @@ -4638,6 +4659,7 @@ DocType: Leave Type,Is Carry Forward,Es un traslado apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Resumen de Existencia diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv index 55b4b3e97c..82638942f9 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Holiday nimekiri -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Raamatupidaja +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Raamatupidaja DocType: Cost Center,Stock User,Stock Kasutaja DocType: Company,Phone No,Telefon ei apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Muidugi Graafikud loodud: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ei ole lubatud {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Võta esemed -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Ei leitud esemed +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock aruanded DocType: Warehouse,Warehouse Detail,Ladu Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Krediidilimiit on ületanud kliendi {0} {1} / {2} 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.,"Term lõppkuupäev ei saa olla hilisem kui aasta lõpu kuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Alates {0} kuni {1} DocType: Item,Copy From Item Group,Kopeeri Punkt Group DocType: Journal Entry,Opening Entry,Avamine Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kliendi> Kliendi Group> Territory apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto maksta ainult DocType: Employee Loan,Repay Over Number of Periods,Tagastama Üle perioodide arv DocType: Stock Entry,Additional Costs,Lisakulud @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Kinnisvara -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoteatis +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 DocType: Purchase Invoice Item,Is Fixed Asset,Kas Põhivarade apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Saadaval Kogus on {0}, peate {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Tarbitav +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,12 +211,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Näide: Basic Mathematics +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/config/hr.py +214,Settings for HR Module,Seaded HR Module DocType: SMS Center,SMS Center,SMS Center @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Artiklid ja hinnad apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Kursuse maht: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Siit kuupäev peaks jääma eelarveaastal. Eeldades From Date = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Tsitaat DocType: Customer,Individual,Individuaalne DocType: Interest,Academics User,akadeemikud Kasutaja DocType: Cheque Print Template,Amount In Figure,Summa joonis @@ -264,7 +265,7 @@ DocType: Employee,Create User,Loo Kasutaja DocType: Selling Settings,Default Territory,Vaikimisi Territory apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televiisor DocType: Production Order Operation,Updated via 'Time Log',Uuendatud kaudu "Aeg Logi ' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance summa ei saa olla suurem kui {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance summa ei saa olla suurem kui {0} {1} DocType: Naming Series,Series List for this Transaction,Seeria nimekiri selle Tehing DocType: Company,Enable Perpetual Inventory,Luba Perpetual Inventory DocType: Company,Default Payroll Payable Account,Vaikimisi palgaarvestuse tasulised konto @@ -272,7 +273,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 +177,For Warehouse is required before Submit,Sest Warehouse on vaja enne Esita +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/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." @@ -280,13 +281,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 +2256,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,kontaktisiku nimi +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Leevendab kuupäev peab olema suurem kui Liitumis apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lehed aastas 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 +189,Warehouse {0} does not belong to company {1},Ladu {0} ei kuulu firma {1} +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 +270,Litre,Liiter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Sissekanded apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Aastane DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock leppimise toode @@ -314,7 +315,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 +316,People who teach at your organisation,"Inimesed, kes õpetavad oma organisatsiooni" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Luba kasutajal muuta Hinda DocType: Item,Publish in Hub,Avaldab Hub DocType: Student Admission,Student Admission,üliõpilane ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Punkt {0} on tühistatud +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 +882,Material Request,Materjal taotlus DocType: Bank Reconciliation,Update Clearance Date,Värskenda Kliirens kuupäev DocType: Item,Purchase Details,Ostu üksikasjad @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} sisestatud kaks korda Punkt Maksu- +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} sisestatud kaks korda Punkt Maksu- apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Kokkuvõte sel nädalal ja kuni tegevusi DocType: Student Applicant,Admitted,Tunnistas DocType: Workstation,Rent Cost,Üürile Cost @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Vastatud apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Loo Üliõpilasgrupid apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup juba valmis !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kreeditarve summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kreeditarve summa ,Finished Goods,Valmistoodang DocType: Delivery Note,Instructions,Juhised DocType: Quality Inspection,Inspected By,Kontrollima @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Loo uus klient +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Palun setup numbrite seeria osavõtt Setup> numbrite seeria apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Loo Ostutellimuste ,Purchase Register,Ostu Registreeri DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,7 +470,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud." +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/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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Oskus {0} valitakse mitu korda atribuudid Table +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Oskus {0} valitakse mitu korda atribuudid Table DocType: HR Settings,Employee record is created using selected field. ,"Töötaja rekord on loodud, kasutades valitud valdkonnas." DocType: Sales Order,Not Applicable,Ei kasuta apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday kapten. @@ -523,7 +525,7 @@ 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 +219,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 +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/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" @@ -537,7 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Palun sisestage Warehouse, mille materjal taotlus tõstetakse" DocType: Production Order,Additional Operating Cost,Täiendav töökulud apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmeetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Ühendamine, järgmised omadused peavad olema ühesugused teemad" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Ühendamine, järgmised omadused peavad olema ühesugused teemad" DocType: Shipping Rule,Net Weight,Netokaal DocType: Employee,Emergency Phone,Emergency Phone apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ostma @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Klienditeenindus Lisa / uuenda maksud ja tasud DocType: Purchase Invoice,Supplier Invoice No,Tarnija Arve nr DocType: Territory,For reference,Sest viide -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Ei saa kustutada Serial No {0}, sest seda kasutatakse laos tehingute" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Ei saa kustutada Serial No {0}, sest seda kasutatakse laos tehingute" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Sulgemine (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Liiguta punkti DocType: Serial No,Warranty Period (Days),Garantii (päevades) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Palun valige Company Pidu ja Type esimene apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financial / eelarveaastal. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,kogunenud väärtused -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Vabandame, Serial nr saa liita" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Vabandame, Serial nr saa liita" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Tee Sales Order DocType: Project Task,Project Task,Projekti töörühma ,Lead Id,Plii Id @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Eraldama apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Müügitulu 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,Märkus: Kokku eraldatakse lehed {0} ei tohiks olla väiksem kui juba heaks lehed {1} perioodiks +,Total Stock Summary,Kokku Stock kokkuvõte DocType: Announcement,Posted By,postitas DocType: Item,Delivered by Supplier (Drop Ship),Andis Tarnija (Drop Laev) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Andmebaas potentsiaalseid kliente. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kliendi andmebaasi DocType: Quotation,Quotation To,Tsitaat DocType: Lead,Middle Income,Keskmise sissetulekuga apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Avamine (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Vaikimisi mõõtühik Punkt {0} ei saa muuta otse, sest teil on juba mõned tehingu (te) teise UOM. Te peate looma uue Punkt kasutada erinevaid vaikimisi UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Vaikimisi mõõtühik Punkt {0} ei saa muuta otse, sest teil on juba mõned tehingu (te) teise UOM. Te peate looma uue Punkt kasutada erinevaid vaikimisi UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Eraldatud summa ei saa olla negatiivne apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Määrake Company DocType: Purchase Order Item,Billed Amt,Arve Amt @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maksimaalne hindamine Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Uuenda pangaarveldustel kuupäevad apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Duplikaadi TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiscal Year Company DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,konverents @@ -674,8 +678,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 +320,Timesheet created:,Töögraafik on loodud: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -704,7 +708,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 +139,Finish,lõpp +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,lõpp apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,alus DocType: Timesheet,Total Billed Hours,Kokku Maksustatakse Tundi DocType: Journal Entry,Write Off Amount,Kirjutage Off summa @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Müüja City ,Absent Student Report,Puudub Student Report DocType: Email Digest,Next email will be sent on:,Järgmine email saadetakse edasi: DocType: Offer Letter Term,Offer Letter Term,Paku kiri Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Punkt on variante. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Punkt on variante. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Punkt {0} ei leitud DocType: Bin,Stock Value,Stock Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Ettevõte {0} ei ole olemas @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,Tee Töögraafik +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ DocType: Company,Default Cost of Goods Sold Account,Vaikimisi müüdud toodangu apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Hinnakiri ole valitud DocType: Employee,Family Background,Perekondlik taust DocType: Request for Quotation Supplier,Send Email,Saada E- -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Hoiatus: Vigane Attachment {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ei Luba +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Hoiatus: Vigane Attachment {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Ei Luba 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -852,7 +856,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 +274,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 +275,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 @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,Bom {0} peab olema aktiivne +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} ei kuulu Punkt {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial No {0} ei kuulu Punkt {1} DocType: Purchase Receipt Item Supplied,Required Qty,Nõutav Kogus apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Laod olemasolevate tehing ei ole ümber pearaamatu. DocType: Bank Reconciliation,Total Amount,Kogu summa @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponendid apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Palun sisesta Põhivarakategoori punktis {0} DocType: Quality Inspection Reading,Reading 6,Lugemine 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ei saa {0} {1} {2} ilma negatiivse tasumata arve +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Ei saa {0} {1} {2} ilma negatiivse tasumata arve DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ostuarve Advance DocType: Hub Settings,Sync Now,Sync Now apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit kirjet ei saa siduda koos {1} @@ -978,12 +982,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 +731,New Sales Invoice,Uus müügiarve +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline arved +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Keemilised DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Vaikimisi Bank / arvelduskontole uuendatakse automaatselt sisse palk päevikusissekanne kui see režiim on valitud. DocType: BOM,Raw Material Cost(Company Currency),Tooraine hind (firma Valuuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Kõik esemed on juba üle selle tootmine Order. +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 +270,Meter,meeter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,Palun sisesta konto muutuste summa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1048,7 +1052,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 +259,Qty for {0},Kogus eest {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Raha / Bank Account apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Palun täpsusta {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Eemaldatud esemed ei muutu kogus või väärtus. DocType: Delivery Note,Delivery To,Toimetaja -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Oskus tabelis on kohustuslik +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Oskus tabelis on kohustuslik DocType: Production Planning Tool,Get Sales Orders,Võta müügitellimuste -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ei tohi olla negatiivne +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ei tohi olla negatiivne apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Soodus DocType: Asset,Total Number of Depreciations,Kokku arv Amortisatsiooniaruanne DocType: Sales Invoice Item,Rate With Margin,Määra Margin @@ -1098,7 +1102,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 +1546,ZIP Code,Postiindeks +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1116,7 +1120,7 @@ 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 +238,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 +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/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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Palun määra "Rakenda Täiendav soodustust" +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 DocType: Global Defaults,Global Defaults,Global Vaikeväärtused @@ -1148,10 +1152,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 +22,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 +23,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 +347,Capacity Planning Error,Capacity Planning viga +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning viga ,Trial Balance for Party,Trial Balance Party DocType: Lead,Consultant,Konsultant DocType: Salary Slip,Earnings,Tulu @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,Kas Tagasi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} kehtiv serial-numbrid Punkt {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} kehtiv serial-numbrid Punkt {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kood ei saa muuta Serial No. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} on juba loodud kasutaja: {1} ja ettevõtete {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Conversion Factor @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',Kulude Keskus eseme Kood " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1221,7 +1225,7 @@ 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,Vaata Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Artiklite {0} ei ole partii @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,Näide: Masters in Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Sales Order {0} ei ole kehtiv +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/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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Väljaandmise koht apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Leping DocType: Email Digest,Add Quote,Lisa Quote -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion tegur vajalik UOM: {0} punktis: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion tegur vajalik UOM: {0} punktis: {1} 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 +736,Sync Master Data,Sync Master andmed -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Oma tooteid või teenuseid +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 DocType: Mode of Payment,Mode of Payment,Makseviis -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL +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 DocType: Purchase Invoice Item,BOM,Bom apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,See on ülemelemendile rühma ja seda ei saa muuta. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Tootmine Tellimuse staatus on {0} DocType: Appraisal Goal,Goal,Eesmärk DocType: Sales Invoice Item,Edit Description,Edit kirjeldus ,Team Updates,Team uuendused @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapse ladu olemas selle lattu. Sa ei saa kustutada selle lattu. DocType: Item,Website Item Groups,Koduleht Punkt Groups DocType: Purchase Invoice,Total (Company Currency),Kokku (firma Valuuta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serial number {0} sisestatud rohkem kui üks kord +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 +78,{0} items in progress,{0} objekte pooleli +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrapi 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,7 +1405,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,Kohaletoimetamine Aadress Nimi apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontoplaan DocType: Material Request,Terms and Conditions Content,Tingimused sisu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ei saa olla üle 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Punkt {0} ei ole laos toode +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Punkt {0} ei ole laos toode DocType: Maintenance Visit,Unscheduled,Plaaniväline DocType: Employee,Owned,Omanik DocType: Salary Detail,Depends on Leave Without Pay,Oleneb palgata puhkust @@ -1444,7 +1446,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 +273,We buy this Item,Ostame see toode +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1455,7 +1457,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 +266,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Asset Nimi DocType: Project,Task Weight,ülesanne Kaal DocType: Shipping Rule Condition,To Value,Hindama @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Salvestusi ei leitud Makseinfo tabelis apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},See {0} konflikte {1} jaoks {2} {3} DocType: Student Attendance Tool,Students HTML,õpilased HTML DocType: POS Profile,Apply Discount,Kanna Soodus -DocType: Purchase Invoice Item,GST HSN Code,GST HSN kood +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 +283,Packing Slip(s) cancelled,Pakkesedel (s) tühistati @@ -1536,8 +1538,8 @@ 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 +2573,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box +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 +873,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 @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,tagasimaksmine meetod DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Märkimise korral Kodulehekülg on vaikimisi Punkt Group kodulehel DocType: Quality Inspection Reading,Reading 4,Lugemine 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Vaikimisi Bom {0} ei leitud Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Nõuded firma kulul. 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Uus ülesanne apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Tee Tsitaat apps/erpnext/erpnext/config/selling.py +216,Other Reports,Teised aruanded DocType: Dependent Task,Dependent Task,Sõltub Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Muundustegurit Vaikemõõtühik peab olema 1 rida {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Muundustegurit Vaikemõõtühik peab olema 1 rida {0} 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} DocType: SMS Center,Receiver List,Vastuvõtja loetelu -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Otsi toode +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,juba lõpetatud +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/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 +263,Quantity must not be more than {0},Kogus ei tohi olla rohkem kui {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Kliendi POS Id DocType: Account,Account Name,Kasutaja nimi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Siit kuupäev ei saa olla suurem kui kuupäev -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial nr {0} kogust {1} ei saa olla vaid murdosa +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial nr {0} kogust {1} ei saa olla vaid murdosa apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Tarnija Type kapten. DocType: Purchase Order Item,Supplier Part Number,Tarnija osa number apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Ümberarvestuskursi ei saa olla 0 või 1 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Sõidukite Dispatch Date +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Vaikimisi on tasulised konto apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Seaded online ostukorv nagu laevandus reeglid, hinnakirja jm" @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Kaasa pühade jooks DocType: Sales Invoice,Packed Items,Pakitud Esemed apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantiinõudest vastu Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Vahetage konkreetse BOM kõigil muudel BOMs kus seda kasutatakse. See asendab vana Bom link, uuendada kulu ja taastamisele "Bom Explosion Punkt" tabelis ühe uue Bom" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Kokku" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"Kokku" DocType: Shopping Cart Settings,Enable Shopping Cart,Luba Ostukorv DocType: Employee,Permanent Address,püsiaadress apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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 @@ -1720,7 +1723,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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öö @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Main apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Määra eesliide numeratsiooni seeria oma tehingute DocType: Employee Attendance Tool,Employees HTML,Töötajad HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli 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 @@ -1749,7 +1752,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 +175,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 +173,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 @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,Serial Nos ning partiid apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Student Group Tugevus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Vastu päevikusissekanne {0} ei ole mingit tasakaalustamata {1} kirje apps/erpnext/erpnext/config/hr.py +137,Appraisals,hindamisest -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicate Serial No sisestatud Punkt {0} +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 @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Bom {0} tuleb esitada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Makse @@ -1785,12 +1788,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset liikumine -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,uus ostukorvi +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Võta esemed Ostutšekid DocType: Serial No,Creation Date,Loomise kuupäev apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Punkt {0} esineb mitu korda Hinnakiri {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Müük tuleb kontrollida, kui need on kohaldatavad valitakse {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Müük tuleb kontrollida, kui need on kohaldatavad valitakse {0}" DocType: Production Plan Material Request,Material Request Date,Materjal taotlus kuupäev DocType: Purchase Order Item,Supplier Quotation Item,Tarnija Tsitaat toode DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Keelab loomise aeg palke vastu Tootmistellimused. Operations ei jälgita vastu Production Telli @@ -1832,12 +1835,12 @@ 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 DocType: Budget,Budget,Eelarve -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Põhivara objektile peab olema mitte-laoartikkel. +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 +209,e.g. 5,nt 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1846,7 +1849,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,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 +263,A Product or Service,Toode või teenus +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Paar +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Paar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,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 +342,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto +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 DocType: Shipping Rule Condition,Shipping Amount,Kohaletoimetamine summa -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Lisa Kliendid +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,Arved ,Supplier-Wise Sales Analytics,Tarnija tark Sales Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Sisesta Paide summa DocType: Salary Structure,Select employees for current Salary Structure,Vali töötajate praeguste Palgastruktuur +DocType: Sales Invoice,Company Address Name,Firma Aadress Nimi 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)" @@ -1977,7 +1981,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 +269,Unit,Ühik +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -1998,7 +2002,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,summa vahe @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klientide liigitamine piirkonniti apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Erinevus summa peab olema null DocType: Project,Gross Margin,Gross Margin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Palun sisestage Production Punkt esimene +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 +748,Quotation,Tsitaat @@ -2019,7 +2023,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Klienditeenindus / Plii Aadress -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Hoiatus: Vigane SSL sertifikaat kinnitus {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Hoiatus: Vigane SSL sertifikaat kinnitus {0} DocType: Student Admission,Eligibility,kõlblikkus apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Testrijuhtmed aitavad teil äri, lisada kõik oma kontaktid ja rohkem kui oma viib" DocType: Production Order Operation,Actual Operation Time,Tegelik tööaeg @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,Arvuta üldskoor DocType: Request for Quotation,Manufacturing Manager,Tootmine Manager apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} on garantii upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split saateleht pakendites. -apps/erpnext/erpnext/hooks.py +87,Shipments,Saadetised +apps/erpnext/erpnext/hooks.py +94,Shipments,Saadetised DocType: Payment Entry,Total Allocated Amount (Company Currency),Eraldati kokku (firma Valuuta) DocType: Purchase Order Item,To be delivered to customer,Et toimetatakse kliendile DocType: BOM,Scrap Material Cost,Vanametalli materjali kulu -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial No {0} ei kuulu ühtegi Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial No {0} ei kuulu ühtegi Warehouse DocType: Purchase Invoice,In Words (Company Currency),Sõnades (firma Valuuta) DocType: Asset,Supplier,Tarnija DocType: C-Form,Quarter,Kvartal @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,Töötaja Laenu konto DocType: Leave Application,Total Leave Days,Kokku puhkusepäevade DocType: Email Digest,Note: Email will not be sent to disabled users,Märkus: Email ei saadeta puuetega inimestele apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Arv koostoime -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kood> Punkt Group> Brand 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 +408,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2102,7 +2105,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Kuluhüvitussüsteeme Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Palun valige õige konto +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Kolmekordselt TARNIJA +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Palun valige õige konto DocType: Item,Weight UOM,Kaal UOM DocType: Salary Structure Employee,Salary Structure Employee,Palgastruktuur Employee DocType: Employee,Blood Group,Veregrupp @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,Kaitsjad 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 +336,Debit To is required,Kanne on vajalik +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Kokku Palgata: {0} DocType: BOM Website Operation,BOM Website Operation,Bom Koduleht operatsiooni apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Paku kiri apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Loo Material taotlused (MRP) ja Tootmistellimused. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Kokku arve Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Kokku arve Amt DocType: BOM,Conversion Rate,tulosmuuntokertoimella apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tooteotsing DocType: Timesheet Detail,To Time,Et aeg @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} seerianumbrid vajalik Eseme {1}. Sa andsid {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} seerianumbrid vajalik Eseme {1}. Sa andsid {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Praegune Hindamine Rate DocType: Item,Customer Item Codes,Kliendi Punkt Koodid apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange kasum / kahjum @@ -2198,7 +2202,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 +2454,Select Batch No,Valige Partii nr +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,Luba kasutajatel DocType: Purchase Order,Customer Mobile No,Kliendi Mobiilne pole DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Jälgi eraldi tulude ja kulude toote vertikaalsed või jagunemise. DocType: Rename Tool,Rename Tool,Nimeta Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Värskenda Cost +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 +438,Show Salary Slip,Näita palgatõend apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Palun määra korduvate pärast salvestamist -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vali muutus summa kontole +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Lisa maksud +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,Ostutšekk pole apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Käsiraha DocType: Process Payroll,Create Salary Slip,Loo palgatõend apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Jälgitavus +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC-kood 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 @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,Kraadiõppe DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Hoolduskava Detail DocType: Quality Inspection Reading,Reading 9,Lugemine 9 DocType: Supplier,Is Frozen,Kas Külmutatud -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Group sõlme lattu ei tohi valida tehingute +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Group sõlme lattu ei tohi valida tehingute DocType: Buying Settings,Buying Settings,Ostmine Seaded DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Bom No. jaoks Lõppenud Hea toode DocType: Upload Attendance,Attendance To Date,Osalemine kuupäev @@ -2289,13 +2294,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt." +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.js +153,You can not change rate if BOM mentioned agianst any item,Sa ei saa muuta kiirust kui Bom mainitud agianst tahes kirje +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Palun sisestage Planeeritud Kogus jaoks Punkt {0} real {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,Lubatud Value DocType: BOM,Show Operations,Näita Operations ,Minutes to First Response for Opportunity,Protokoll First Response Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Kokku Puudub -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Punkt või lattu järjest {0} ei sobi Material taotlus +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Punkt või lattu järjest {0} ei sobi Material taotlus apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mõõtühik DocType: Fiscal Year,Year End Date,Aasta lõpp kuupäev DocType: Task Depends On,Task Depends On,Task sõltub @@ -2388,7 +2393,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 +106,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 +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/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 @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa" +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/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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Cost Center apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Ostutellimuse Message @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,ülesande täitmiseks apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ei ole laos DocType: Appraisal,HR User,HR Kasutaja DocType: Purchase Invoice,Taxes and Charges Deducted,Maksude ja tasude maha -apps/erpnext/erpnext/hooks.py +116,Issues,Issues +apps/erpnext/erpnext/hooks.py +124,Issues,Issues apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status peab olema üks {0} DocType: Sales Invoice,Debit To,Kanne DocType: Delivery Note,Required only for sample item.,Vajalik ainult proovi objekt. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territoorium apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Palume mainida ei külastuste vaja DocType: Stock Settings,Default Valuation Method,Vaikimisi hindamismeetod +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,tasu DocType: Vehicle Log,Fuel Qty,Kütus Kogus DocType: Production Order Operation,Planned Start Time,Planeeritud Start Time DocType: Course,Assessment,Hindamine @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,Tsitaat {0} on tühistatud -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Tasumata kogusumma +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Kõik müügitehingud saab kodeeritud vastu mitu ** Sales Isikud ** nii et saate määrata ja jälgida eesmärgid. ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Palun luua Klienti Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Palun luua Klienti Lead {0} DocType: Price List,Applicable for Countries,Rakendatav Riigid apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Ainult Jäta rakendusi staatuse "Kinnitatud" ja "Tõrjutud" saab esitada apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Group Nimi on kohustuslik järjest {0} @@ -2601,6 +2607,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/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 @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer tootmin 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.,Soodus protsent võib rakendada kas vastu Hinnakiri või kõigi hinnakiri. DocType: Purchase Invoice,Half-yearly,Poolaasta- apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Raamatupidamine kirjet Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Olete juba hinnanud hindamise kriteeriumid {}. DocType: Vehicle Service,Engine Oil,mootoriõli -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Palun setup Töötaja nimesüsteemile Human Resource> HR Seaded DocType: Sales Invoice,Sales Team1,Müük Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Punkt {0} ei ole olemas DocType: Sales Invoice,Customer Address,Kliendi aadress @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juriidilise isiku / tütarettevõtte eraldi kontoplaani kuuluv organisatsioon. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Toit, jook ja tubakas" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisjoni määr ei või olla suurem kui 100 DocType: Stock Entry,Subcontract,Alltöövõtuleping apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Palun sisestage {0} Esimene @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Kuu osavõtt Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Töötaja {0} on juba taotlenud {1} vahel {2} ja {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekti alguskuupäev -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Kuni +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Kuni DocType: Rename Tool,Rename Log,Nimeta Logi apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Student Group või Kursuse ajakava on kohustuslik DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Säilitada Arved ja tööaja samad Töögraafik @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,Tagastatud Kogus DocType: Employee,Exit,Väljapääs apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Juur Type on kohustuslik DocType: BOM,Total Cost(Company Currency),Kogumaksumus (firma Valuuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} loodud +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial No {0} loodud DocType: Homepage,Company Description for website homepage,Firma kirjeldus veebisaidi avalehel DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","For mugavuse klientidele, neid koode saab kasutada print formaadid nagu arved ja Saatekirjad" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Nimi @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Muidugi Graafikud välja: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logid säilitamiseks sms tarneseisust DocType: Accounts Settings,Make Payment via Journal Entry,Tee makse kaudu päevikusissekanne -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,trükitud +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,trükitud DocType: Item,Inspection Required before Delivery,Ülevaatus Vajalik enne sünnitust DocType: Item,Inspection Required before Purchase,Ülevaatus Vajalik enne ostu apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Kuni Tegevused @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Par apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed 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.,Akadeemilise perspektiivis selle "Academic Year '{0} ja" Term nimi "{1} on juba olemas. Palun muuda neid sissekandeid ja proovi uuesti. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Nagu on olemasolevate tehingute vastu objekti {0}, sa ei saa muuta väärtust {1}" +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}","Nagu on olemasolevate tehingute vastu objekti {0}, sa ei saa muuta väärtust {1}" DocType: UOM,Must be Whole Number,Peab olema täisarv DocType: Leave Control Panel,New Leaves Allocated (In Days),Uus Lehed Eraldatud (päevades) +DocType: Sales Invoice,Invoice Copy,arve koopia apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} ei ole olemas DocType: Sales Invoice Item,Customer Warehouse (Optional),Kliendi Warehouse (valikuline) DocType: Pricing Rule,Discount Percentage,Allahindlusprotsendi @@ -2823,8 +2831,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto lähedale Issue 7 p 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock kanded +DocType: Program Enrollment,Boarding Student,boarding Student DocType: Asset,Expected Value After Useful Life,Oodatud väärtus pärast Kasulik Elu DocType: Item,Reorder level based on Warehouse,Reorder tasandil põhineb Warehouse DocType: Activity Cost,Billing Rate,Arved Rate @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,Garantii / AMC Üksikasjad apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Valige õpilast käsitsi tegevuspõhise Group DocType: Journal Entry,User Remark,Kasutaja Märkus DocType: Lead,Market Segment,Turusegment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Paide summa ei saa olla suurem kui kogu negatiivne tasumata summa {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Paide summa ei saa olla suurem kui kogu negatiivne tasumata summa {0} DocType: Employee Internal Work History,Employee Internal Work History,Töötaja Internal tööandjad apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Sulgemine (Dr) DocType: Cheque Print Template,Cheque Size,Tšekk Suurus -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ei laos +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial No {0} ei laos apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Maksu- malli müügitehinguid. DocType: Sales Invoice,Write Off Outstanding Amount,Kirjutage Off tasumata summa apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} ei ühti Company {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,Lisa mõned proovi arvestust +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2893,17 +2903,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Järjekorra number ja partii DocType: Warranty Claim,From Company,Allikas: Company -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa hulgaliselt Hindamiskriteeriumid peab olema {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summa hulgaliselt Hindamiskriteeriumid peab olema {0}. 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 +270,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,pa- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank arvelduskrediidi kontot apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Tee palgatõend apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Eraldatud summa ei saa olla suurem kui tasumata summa. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Sirvi Bom +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Sirvi Bom apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Tagatud laenud DocType: Purchase Invoice,Edit Posting Date and Time,Edit Postitamise kuupäev ja kellaaeg apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Palun määra kulum seotud arvepidamise Põhivarakategoori {0} või ettevõtte {1} @@ -2939,7 +2949,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 +278,Select Quantity,Vali Kogus +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Ei ole lubatud uuendada laos tehingute vanem kui {0} DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Täielikult Maksustatakse +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pakkuja> Pakkuja tüüp 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 +127,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) @@ -2999,8 +3010,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Kokku kuluarvestus summa ( 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 DocType: Customs Tariff Number,Tariff Number,Tariifne arv +DocType: Production Order Item,Available Qty at WIP Warehouse,Saadaval Kogus on WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Kavandatav -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} ei kuulu Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial No {0} ei kuulu Warehouse {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,"Märkus: Süsteem ei kontrolli üle-tarne ja üle-broneerimiseks Punkt {0}, kuna maht või kogus on 0" DocType: Notification Control,Quotation Message,Tsitaat Message DocType: Employee Loan,Employee Loan Application,Töötaja Laenutaotlus @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Maandus Cost Voucher summa apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Arveid tõstatatud Tarnijatele. DocType: POS Profile,Write Off Account,Kirjutage Off konto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Võlateate Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Võlateate Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Soodus summa DocType: Purchase Invoice,Return Against Purchase Invoice,Tagasi Against ostuarve 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 +207,e.g. VAT,nt käibemaksu +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3032,7 +3044,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 +1945,Please select customer,Palun valige kliendile +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,Aadress otsimiseks apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partei on kohustuslik DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Teema nimi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast üks müümine või ostmine tuleb valida +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast üks müümine või ostmine tuleb valida apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vali laadi oma äri. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: duplikaat kande Viiteid {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kus tootmistegevus viiakse. @@ -3070,7 +3082,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Kogus ei saa olla suurem kui Max Kogus +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 DocType: Account,Accumulated Depreciation,akumuleeritud kulum DocType: Stock Entry,Customer or Supplier Details,Klienditeenindus ja tarnijate andmed DocType: Employee Loan Application,Required by Date,Vajalik kuupäev @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Ostutellimuse apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firma nimi ei saa olla ettevõte apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Kiri Heads print malle. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tiitel mallide nt Esialgse arve. +DocType: Program Enrollment,Walking,kõndimine DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Hindamine tüübist tasu ei märgitud Inclusive DocType: POS Profile,Update Stock,Värskenda Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pakkuja> Pakkuja tüüp apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erinevad UOM objekte viib vale (kokku) Net Weight väärtus. Veenduge, et Net Weight iga objekt on sama UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Bom Rate DocType: Asset,Journal Entry for Scrap,Päevikusissekanne Vanametalli @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Näita maksu break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Vaikimisi arvelduskontole apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (mitte kliendi või hankija) kapten. 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 +176,No Students in,Nr Õpilased +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 +108,Please enter 'Expected Delivery Date',Palun sisestage "Oodatud Toimetaja Date" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Kehtetu GSTIN või Sisesta NA registreerimata +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),Panus (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Märkus: Tasumine Entry ei loonud kuna "Raha või pangakonto pole määratud apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Vastutus DocType: Expense Claim Account,Expense Claim Account,Kuluhüvitussüsteeme konto +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Määrake nimetamine Series {0} Setup> Seaded> nimetamine Series DocType: Sales Person,Sales Person Name,Sales Person Nimi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Palun sisestage atleast 1 arve tabelis +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Lisa Kasutajad DocType: POS Item Group,Item Group,Punkt Group DocType: Item,Safety Stock,kindlustusvaru apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% ülesandega ei saa olla rohkem kui 100. DocType: Stock Reconciliation Item,Before reconciliation,Enne leppimist apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Maksude ja tasude lisatud (firma Valuuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Punkt Maksu- Row {0} peab olema konto tüüpi Tax või tulu või kuluna või tasuline +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Punkt Maksu- Row {0} peab olema konto tüüpi Tax või tulu või kuluna või tasuline DocType: Sales Order,Partly Billed,Osaliselt Maksustatakse apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Punkt {0} peab olema põhivara objektile DocType: Item,Default BOM,Vaikimisi Bom -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Võlateate Summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Võlateate Summa apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Palun ümber kirjutada firma nime kinnitamiseks -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Kokku Tasumata Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Kokku Tasumata Amt DocType: Journal Entry,Printing Settings,Printing Settings DocType: Sales Invoice,Include Payment (POS),Kaasa makse (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Kokku Deebetkaart peab olema võrdne Kokku Credit. Erinevus on {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Autod DocType: Vehicle,Insurance Company,Kindlustusselts DocType: Asset Category Account,Fixed Asset Account,Põhivarade konto apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,muutuja -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Siit Saateleht +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Siit Saateleht DocType: Student,Student Email Address,Student e-posti aadress DocType: Timesheet Detail,From Time,Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Laos: DocType: Notification Control,Custom Message,Custom Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investeerimispanganduse apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Raha või pangakonto on kohustuslik makstes kirje -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Palun setup numbrite seeria osavõtt Setup> numbrite seeria apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Aadress 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 +1517,Address Name,aadress Nimi +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Sisesta väärtus peab olema positiivne +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,Protsessi palgaarvestuse apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Seal on rohkem puhkuse kui tööpäeva sel kuul. DocType: Product Bundle Item,Product Bundle Item,Toote Bundle toode DocType: Sales Partner,Sales Partner Name,Müük Partner nimi -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Taotlus tsitaadid +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Taotlus tsitaadid DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimaalne Arve summa DocType: Student Language,Student Language,Student keel apps/erpnext/erpnext/config/selling.py +23,Customers,kliendid @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,osaliselt Amortiseerunud DocType: Issue,Opening Time,Avamine aeg apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Ja sealt soovitud vaja apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Väärtpaberite ja kaubabörsil -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}"" +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 +847,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,Toormaterjal +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Avamise kuupäev peaks olema enne sulgemist kuupäev -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Määrake nimetamine Series {0} Setup> Seaded> nimetamine Series 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." @@ -3330,8 +3341,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial nr Nõutav SERIALIZED Punkt {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Suhtes kohaldatava (määramine) @@ -3348,7 +3359,7 @@ 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 +270,Hour,Tund +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,Müügikoht +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3373,8 +3384,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 +270,Gram,gramm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0. +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/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." @@ -3399,14 +3410,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 +465,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 +466,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 +834,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 +835,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 @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Arved riik @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Seaded veebisaidi avalehel 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 +214,Invalid attribute {0} {1},Vale atribuut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Palun valige hindamise rühm kui "Kõik Hindamine Grupid" @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,palk komponendid DocType: Program Enrollment Tool,New Academic Year,Uus õppeaasta apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Tagasi / kreeditarve DocType: Stock Settings,Auto insert Price List rate if missing,"Auto sisestada Hinnakiri määra, kui puuduvad" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Kokku Paide summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Kokku Paide summa DocType: Production Order Item,Transferred Qty,Kantud Kogus apps/erpnext/erpnext/config/learn.py +11,Navigating,Liikumine apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planeerimine 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 +272,We sell this Item,Müüme see toode +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3640,7 +3653,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 +1186,Please set Company,Määrake Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3656,13 +3669,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,"Sõnad 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Lugu {0} on juba kasutatud Punkt {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Lugu {0} on juba kasutatud Punkt {1} DocType: Lead,Add to calendar on this date,Lisa kalendrisse selle kuupäeva apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reeglid lisamiseks postikulud. DocType: Item,Opening Stock,algvaru apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klient on kohustatud apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} on kohustuslik Tagasi DocType: Purchase Order,To Receive,Saama +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personal Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Kokku Dispersioon DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Kui on lubatud, siis süsteem postitada raamatupidamiskirjeteks inventuuri automaatselt." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Out of Garantii DocType: BOM Replace Tool,Replace,Vahetage apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Tooteid ei leidu. -DocType: Production Order,Unstopped,unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} vastu müügiarve {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Projekti nimi @@ -3692,6 +3705,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} 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 @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Siit Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Süntaksi viga valemis või seisund: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Igapäevase töö kokkuvõte Seaded Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Punkt {0} ignoreerida, sest see ei ole laoartikkel" +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 +40,Submit this Production Order for further processing.,Saada see Production Tellimus edasiseks töötlemiseks. +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/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 @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),Määr (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Määrake Company filtreerida tühjaks, kui rühm Autor on "Firma"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Postitamise kuupäev ei saa olla tulevikus apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} ei ühti {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Punkt {0} ei ole setup Serial nr. Kolonn peab olema tühi +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 DocType: Accounts Settings,Accounts Settings,Kontod Seaded apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,kinnitama DocType: Customer,Sales Partner and Commission,Müük Partner ja komisjoni @@ -3787,7 +3803,7 @@ 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 +62,{0} items produced,{0} tooted on valmistatud +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3801,7 +3817,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Kogukulude nõue (via kulu 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} DocType: Journal Entry Account,Exchange Rate,Vahetuskurss -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3826,18 +3842,18 @@ 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 +705,Online,Hetkel +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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 DocType: Employee Loan,Repay Fixed Amount per Period,Maksta kindlaksmääratud summa Periood apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Palun sisestage koguse Punkt {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreeditarve Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreeditarve Amt DocType: Employee External Work History,Employee External Work History,Töötaja Väline tööandjad DocType: Tax Rule,Purchase,Ostu apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Kogus @@ -3862,7 +3878,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 +2383,Select items to save the invoice,"Valige objekt, et salvestada arve" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,eestkostja DocType: Grading Scale Interval,Threshold,künnis DocType: BOM Replace Tool,Current BOM,Praegune Bom apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Lisa Järjekorranumber +DocType: Production Order Item,Available Qty at Source Warehouse,Saadaval Kogus tekkekohas Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garantii DocType: Purchase Invoice,Debit Note Issued,Deebetarvega DocType: Production Order,Warehouses,Laod @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Makstud summa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektijuht ,Quoted Item Comparison,Tsiteeritud Punkt võrdlus apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max allahindlust lubatud kirje: {0} on {1}% +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 +279,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 +879,Select Items to Manufacture,Vali Pane Tootmine -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega" +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" DocType: Item,Material Issue,Materjal Issue DocType: Hub Settings,Seller Description,Müüja kirjeldus DocType: Employee Education,Qualification,Kvalifikatsioonikeskus @@ -3936,7 +3953,7 @@ DocType: POS Profile,Terms and Conditions,Tingimused 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 +200,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 +198,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 @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Et määrata selle Fiscal Year as Default, kliki "Set as Default"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,liituma apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Puuduse Kogus -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute DocType: Employee Loan,Repay from Salary,Tagastama alates Palk DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},TELLIN tasumises {0} {1} jaoks kogus {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial No {0} on juba saanud +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} on juba saanud ,Requested Items To Be Transferred,Taotletud üleantavate 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 +1312,Delete permanently?,Kustuta jäädavalt? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Vale {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Vale {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Haiguslehel DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Arved Aadress Nimi @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Maksustatav DocType: Company,Change Abbreviation,Muuda lühend DocType: Expense Claim Detail,Expense Date,Kulu kuupäev +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kood> Punkt Group> Brand DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Viimati tellimuse summa DocType: Task,Is Milestone,Kas Milestone @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,New Program DocType: Item Attribute Value,Attribute Value,Omadus Value ,Itemwise Recommended Reorder Level,Itemwise Soovitatav Reorder Level DocType: Salary Detail,Salary Detail,palk Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Palun valige {0} Esimene -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Partii {0} Punkt {1} on aegunud. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Palun valige {0} Esimene +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Partii {0} Punkt {1} on aegunud. DocType: Sales Invoice,Commission,Vahendustasu apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Aeg Sheet valmistamiseks. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,osakokkuvõte @@ -4047,12 +4065,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 +399,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 +394,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 +387,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 +382,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 @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,müügikuupäevaga DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Kirjad saadetakse kõigile aktiivsetele Ettevõtte töötajad on teatud tunnil, kui neil ei ole puhkus. Vastuste kokkuvõte saadetakse keskööl." DocType: Employee Leave Approver,Employee Leave Approver,Töötaja Jäta Approver -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ei saa kuulutada kadunud, sest Tsitaat on tehtud." 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 @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,õpilane apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organization (osakonna) kapten. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Palun sisestage kehtiv mobiiltelefoni nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Palun sisesta enne saatmist +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Duplikaadi TARNIJA DocType: Email Digest,Pending Quotations,Kuni tsitaadid apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profiili apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Palun uuendage SMS seaded @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,Kuluüksus nimi DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max tööaeg vastu Töögraafik DocType: Maintenance Schedule Detail,Scheduled Date,Tähtajad -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Kokku Paide Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Kokku Paide Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Teated enam kui 160 tähemärki jagatakse mitu sõnumit DocType: Purchase Receipt Item,Received and Accepted,Saanud ja heaks kiitnud ,GST Itemised Sales Register,GST Üksikasjalikud Sales Registreeri @@ -4133,7 +4152,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 +237,Your Suppliers,Sinu Tarnijad +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Ei saa maha arvata, kui kategooria on "Hindamine" või "Vaulation ja kokku"" @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Koduleht Pilt {0} juurde Punkt {1} ei leitud +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. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Mida ta teeb apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Et Warehouse apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Kõik Student Sisseastujale ,Average Commission Rate,Keskmine Komisjoni Rate -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Kas Serial No" ei saa olla "Jah" mitte-laoartikkel +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"Kas Serial No" ei saa olla "Jah" mitte-laoartikkel apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Osavõtt märkida ei saa tulevikus kuupäev DocType: Pricing Rule,Pricing Rule Help,Hinnakujundus Reegel Abi DocType: School House,House Name,House Nimi @@ -4176,7 +4195,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 +339,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis +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 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 @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Palgatõend töötaja {0} on juba loodud ajaandmik {1} DocType: Vehicle Log,Odometer,odomeetri DocType: Sales Order Item,Ordered Qty,Tellitud Kogus -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Punkt {0} on keelatud +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Loo palgalehed -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Ostmine tuleb kontrollida, kui need on kohaldatavad valitakse {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Ostmine tuleb kontrollida, kui need on kohaldatavad valitakse {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Soodustus peab olema väiksem kui 100 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 +500,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Maandus Cost Voucher @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Oodatud kuupäev ei saa olla enne Material taotlus kuupäev DocType: Purchase Invoice Item,Stock Qty,stock Kogus -DocType: Production Order,Source Warehouse (for reserving Items),Allikas Warehouse (reserveerimisel toodet) DocType: Employee Loan,Repayment Period in Months,Tagastamise tähtaeg kuudes apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Viga: Ei kehtivat id? DocType: Naming Series,Update Series Number,Värskenda seerianumbri @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,Planeeritud End Date apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Kus esemed hoitakse. DocType: Request for Quotation,Supplier Detail,tarnija Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Viga valemis või seisund: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Arve kogusumma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Arve kogusumma DocType: Attendance,Attendance,Osavõtt apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,stock Kirjed DocType: BOM,Materials,Materjalid @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup lihtne veebilehel oma organisatsiooni +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0} DocType: Item,Default Warehouse,Vaikimisi Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Eelarve ei saa liigitada vastu Group Konto {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Palun sisestage vanem kulukeskus @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,Valige või lisage uus klient +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/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 @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Palun setup Töötaja nimesüsteemile Human Resource> HR Seaded 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 +231,{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. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Hinnakiri ei leitud või puudega +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,Konto muutuste summa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Pidu / konto ei ühti {1} / {2} on {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Palun sisestage ärikohtumisteks DocType: Account,Stock,Varu -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",Rida # {0}: Reference Document Type peab olema üks ostutellimustest ostuarve või päevikusissekanne +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",Rida # {0}: Reference Document Type peab olema üks ostutellimustest ostuarve või päevikusissekanne DocType: Employee,Current Address,Praegune aadress DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Kui objekt on variant teise elemendi siis kirjeldus, pilt, hind, maksud jne seatakse malli, kui ei ole märgitud" DocType: Serial No,Purchase / Manufacture Details,Ostu / Tootmine Detailid @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,Kodu aadress apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset DocType: POS Profile,POS Profile,POS profiili DocType: Training Event,Event Name,sündmus Nimi -apps/erpnext/erpnext/config/schools.py +39,Admission,sissepääs +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,sissepääs apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Kordadega {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Punkt {0} on mall, valige palun üks selle variandid" DocType: Asset,Asset Category,Põhivarakategoori +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Ostja apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Netopalk ei tohi olla negatiivne DocType: SMS Settings,Static Parameters,Staatiline parameetrid DocType: Assessment Plan,Room,ruum @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,Punkt Maksu- apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materjal Tarnija apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kliendi> Kliendi Group> Territory DocType: Expense Claim,Employees Email Id,Töötajad Post Id DocType: Employee Attendance Tool,Marked Attendance,Märkimisväärne osavõtt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Lühiajalised kohustused @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,Kas kanda apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock kokkuvõte diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv index 20148b7306..d7917c1abe 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",متوقف سفارش تولید نمی تواند لغو شود، آن را اولین Unstop برای لغو +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,کننده پیش فرض انتخاب کنید @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1} +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 +808,Invoice,فاکتور DocType: Maintenance Schedule Item,Periodicity,تناوب apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,سال مالی {0} مورد نیاز است @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,کار در حال انجام apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,لطفا تاریخ را انتخاب کنید DocType: Employee,Holiday List,فهرست تعطیلات -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,حسابدار +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,حسابدار DocType: Cost Center,Stock User,سهام کاربر DocType: Company,Phone No,تلفن apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,برنامه دوره ایجاد: @@ -110,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 +269,Kg,کیلوگرم +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,کیلوگرم DocType: Student Log,Log,ورود apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,باز کردن برای یک کار. DocType: Item Attribute,Increment,افزایش @@ -120,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 +42,Not permitted for {0},برای مجاز نیست {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,گرفتن اقلام از -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,نمی وسایل یافت شده +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,مورد فاکتور فروش @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,گزارش سهام DocType: Warehouse,Warehouse Detail,جزئیات انبار apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},حد اعتبار شده است برای مشتری عبور {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا دارایی ثابت" نمی تواند بدون کنترل، به عنوان رکورد دارایی در برابر مورد موجود است +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/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,مشتری با همین نام وجود دارد @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},از {0} به {1} DocType: Item,Copy From Item Group,کپی برداری از مورد گروه DocType: Journal Entry,Opening Entry,ورود افتتاح -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ضوابط> ضوابط گروه> قلمرو apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب پرداخت تنها DocType: Employee Loan,Repay Over Number of Periods,بازپرداخت تعداد بیش از دوره های DocType: Stock Entry,Additional Costs,هزینه های اضافی @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,عقار -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,بیانیه ای از حساب +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,داروسازی DocType: Purchase Invoice Item,Is Fixed Asset,است دارائی های ثابت apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",تعداد موجود است {0}، شما نیاز {1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,مصرفی +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,نگه دار، درخواست پاسخ به مواد از نوع تولید بر اساس معیارهای فوق @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,به عنوان مثال: ریاضیات پایه +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/config/hr.py +214,Settings for HR Module,تنظیمات برای ماژول HR DocType: SMS Center,SMS Center,مرکز SMS @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,اقلام و قیمت گذاری apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},کل ساعت: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},از تاریخ باید در سال مالی باشد. با فرض از تاریخ = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,نقل قول DocType: Customer,Individual,فردی DocType: Interest,Academics User,دانشگاهیان کاربر DocType: Cheque Print Template,Amount In Figure,مقدار در شکل @@ -264,7 +265,7 @@ DocType: Employee,Create User,ایجاد کاربر DocType: Selling Settings,Default Territory,منطقه پیش فرض apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,تلویزیون DocType: Production Order Operation,Updated via 'Time Log',به روز شده از طریق 'زمان ورود " -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1} DocType: Naming Series,Series List for this Transaction,فهرست سری ها برای این تراکنش DocType: Company,Enable Perpetual Inventory,فعال کردن موجودی دائمی DocType: Company,Default Payroll Payable Account,به طور پیش فرض حقوق و دستمزد پرداختنی حساب @@ -272,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 +177,For Warehouse is required before Submit,ذخیره سازی قبل از ارسال مورد نیاز است +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.",اگر علامت زده شود، شامل اقلام غیر سهام در درخواست مواد. @@ -280,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 +2256,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,تماس با نام +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 و ضوابط گروه @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,تسکین تاریخ باید بیشتر از تاریخ پیوستن شود 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 +189,Warehouse {0} does not belong to company {1},انبار {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 +270,Litre,لیتری +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ترک مسدود -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,مطالب بانک apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,سالیانه DocType: Stock Reconciliation Item,Stock Reconciliation Item,مورد سهام آشتی @@ -314,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 +316,People who teach at your organisation,افرادی که در سازمان شما آموزش +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,حداقل تعداد سفارش تعداد @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,اجازه به کاربر برای DocType: Item,Publish in Hub,انتشار در توپی DocType: Student Admission,Student Admission,پذیرش دانشجو ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,مورد {0} لغو شود +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,مورد {0} لغو شود apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,درخواست مواد DocType: Bank Reconciliation,Update Clearance Date,به روز رسانی ترخیص کالا از تاریخ DocType: Item,Purchase Details,جزئیات خرید @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,ناوگان مدیر apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,خطا مرجع مدور @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,ورود پرداخت اصلاح شده است پس از آن کشیده شده است. لطفا آن را دوباره بکشید. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} دو بار در مالیات وارد شده است +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} دو بار در مالیات وارد شده است apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,خلاصه برای این هفته و فعالیت های انتظار DocType: Student Applicant,Admitted,پذیرفته DocType: Workstation,Rent Cost,اجاره هزینه @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,٪ دریافتی apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ایجاد گروه دانشجویی apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,راه اندازی در حال حاضر کامل! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,اعتباری میزان +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,اعتباری میزان ,Finished Goods,محصولات تمام شده DocType: Delivery Note,Instructions,دستورالعمل DocType: Quality Inspection,Inspected By,بازرسی توسط @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,ایجاد یک مشتری جدید +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا راه اندازی شماره سری برای حضور و غیاب از طریق راه اندازی> شماره سری apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ایجاد سفارشات خرید ,Purchase Register,خرید ثبت نام DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تنظیمات جهانی برای تمام فرآیندهای تولید. DocType: Accounts Settings,Accounts Frozen Upto,حساب منجمد تا حد DocType: SMS Log,Sent On,فرستاده شده در -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ویژگی {0} چند بار در صفات جدول انتخاب +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,ویژگی {0} چند بار در صفات جدول انتخاب DocType: HR Settings,Employee record is created using selected field. ,رکورد کارمند با استفاده از درست انتخاب شده ایجاد می شود. DocType: Sales Order,Not Applicable,قابل اجرا نیست apps/erpnext/erpnext/config/hr.py +70,Holiday master.,کارشناسی ارشد تعطیلات. @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,لطفا انبار که درخواست مواد مطرح خواهد شد را وارد کنید DocType: Production Order,Additional Operating Cost,هزینه های عملیاتی اضافی apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,آرایشی و بهداشتی -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",به ادغام، خواص زیر باید همین کار را برای هر دو مورد می شود +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",به ادغام، خواص زیر باید همین کار را برای هر دو مورد می شود DocType: Shipping Rule,Net Weight,وزن خالص DocType: Employee,Emergency Phone,تلفن اضطراری apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,خرید @@ -546,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 +2428,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,مدیریت مقاطعه کاری فرعی @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,افزودن / ویرایش مالیات ها و هزینه ها DocType: Purchase Invoice,Supplier Invoice No,تامین کننده فاکتور بدون DocType: Territory,For reference,برای مرجع -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",نمی توانید حذف سریال نه {0}، آن را به عنوان در معاملات سهام مورد استفاده +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",نمی توانید حذف سریال نه {0}، آن را به عنوان در معاملات سهام مورد استفاده apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),بسته شدن (کروم) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,انتقال مورد DocType: Serial No,Warranty Period (Days),دوره گارانتی (روز) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,لطفا ابتدا شرکت و حزب نوع را انتخاب کنید apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,مالی سال / حسابداری. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ارزش انباشته -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",با عرض پوزش، سریال شماره نمی تواند با هم ادغام شدند +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",با عرض پوزش، سریال شماره نمی تواند با هم ادغام شدند apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,را سفارش فروش DocType: Project Task,Project Task,وظیفه پروژه ,Lead Id,کد شناسایی راهبر @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,اختصاص دادن apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,برگشت فروش 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,توجه: مجموع برگ اختصاص داده {0} نباید کمتر از برگ حال حاضر مورد تایید {1} برای دوره +,Total Stock Summary,خلاصه سهام مجموع DocType: Announcement,Posted By,ارسال شده توسط DocType: Item,Delivered by Supplier (Drop Ship),تحویل داده شده توسط کننده (قطره کشتی) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,پایگاه داده از مشتریان بالقوه است. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,پایگاه دا DocType: Quotation,Quotation To,نقل قول برای DocType: Lead,Middle Income,با درآمد متوسط apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),افتتاح (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,واحد اندازه گیری پیش فرض برای مورد {0} می توانید به طور مستقیم نمی توان تغییر چون در حال حاضر ساخته شده برخی از معامله (ها) با UOM است. شما نیاز به ایجاد یک آیتم جدید به استفاده از پیش فرض UOM متفاوت است. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,واحد اندازه گیری پیش فرض برای مورد {0} می توانید به طور مستقیم نمی توان تغییر چون در حال حاضر ساخته شده برخی از معامله (ها) با UOM است. شما نیاز به ایجاد یک آیتم جدید به استفاده از پیش فرض UOM متفاوت است. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,مقدار اختصاص داده شده نمی تونه منفی apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,لطفا مجموعه ای از شرکت DocType: Purchase Order Item,Billed Amt,صورتحساب AMT @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,کارشناسی ارشد DocType: Assessment Plan,Maximum Assessment Score,حداکثر نمره ارزیابی apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,تاریخ به روز رسانی بانک معامله apps/erpnext/erpnext/config/projects.py +30,Time Tracking,پیگیری زمان +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,تکراری برای TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,شرکت سال مالی DocType: Packing Slip Item,DN Detail,جزئیات DN DocType: Training Event,Conference,کنفرانس @@ -674,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 +320,Timesheet created:,برنامه زمانی ایجاد شده: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ثبت نام کردن DocType: GST Settings,GST Settings,تنظیمات GST DocType: Selling Settings,Customer Naming By,نامگذاری مشتری توسط @@ -704,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 +139,Finish,پایان +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,پایان apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,پایه DocType: Timesheet,Total Billed Hours,جمع ساعت در صورتحساب یا لیست DocType: Journal Entry,Write Off Amount,ارسال فعال مقدار @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,فروشنده شهر ,Absent Student Report,وجود ندارد گزارش دانشجو DocType: Email Digest,Next email will be sent on:,ایمیل بعدی خواهد شد در ارسال: DocType: Offer Letter Term,Offer Letter Term,ارائه نامه مدت -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,فقره انواع. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,فقره انواع. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,مورد {0} یافت نشد DocType: Bin,Stock Value,سهام ارزش apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,شرکت {0} وجود ندارد @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قوانین هزینه های متعدد را با معیارهای همان وجود دارد، لطفا حل و فصل درگیری با اختصاص اولویت است. قوانین قیمت: {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 به عنوان آن را با دیگر 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 +48,Make Timesheet,را برنامه زمانی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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,سابقه خانواده DocType: Request for Quotation Supplier,Send Email,ارسال ایمیل -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},هشدار: پیوست معتبر {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,بدون اجازه +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},هشدار: پیوست معتبر {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,بدون اجازه 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 +269,Nos,شماره +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} باید ارائه شود @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,باز کردن استهلاک انباشته @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} باید فعال باشد +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} قبل از لغو این نگهداری سایت -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},سریال بدون {0} به مورد تعلق ندارد {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},سریال بدون {0} به مورد تعلق ندارد {1} DocType: Purchase Receipt Item Supplied,Required Qty,مورد نیاز تعداد apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,انبارها با معامله موجود می توانید به دفتر تبدیل نمی کند. DocType: Bank Reconciliation,Total Amount,مقدار کل @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,اجزاء apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},لطفا دارایی رده در آیتم را وارد کنید {0} DocType: Quality Inspection Reading,Reading 6,خواندن 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,آیا می توانم {0} {1} {2} بدون هیچ فاکتور برجسته منفی +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,آیا می توانم {0} {1} {2} بدون هیچ فاکتور برجسته منفی 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} @@ -978,12 +982,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 +731,New Sales Invoice,جدید فاکتور فروش +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,همگام سازی آفلاین فاکتورها +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,همگام سازی آفلاین فاکتورها DocType: Payment Request,Paid,پرداخت DocType: Program Fee,Program Fee,هزینه برنامه DocType: Salary Slip,Total in words,مجموع در کلمات @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,شیمیایی DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,به طور پیش فرض حساب بانک / نقدی به طور خودکار در حقوق ورودی مجله به روز هنگامی که این حالت انتخاب شده است. DocType: BOM,Raw Material Cost(Company Currency),خام هزینه مواد (شرکت ارز) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,همه موارد قبلا برای این سفارش تولید منتقل می شود. +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 +270,Meter,متر +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,متر DocType: Workstation,Electricity Cost,هزینه برق DocType: HR Settings,Don't send Employee Birthday Reminders,آیا کارمند تولد یادآوری ارسال کنید DocType: Item,Inspection Criteria,معیار بازرسی @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,تعادل وام مبلغ @@ -1048,7 +1052,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 +259,Qty for {0},تعداد برای {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ترک فهرست بلوک خرما @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,نقد / حساب بانکی apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},لطفا مشخص {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,موارد حذف شده بدون تغییر در مقدار یا ارزش. DocType: Delivery Note,Delivery To,تحویل به -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,جدول ویژگی الزامی است +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,جدول ویژگی الزامی است DocType: Production Planning Tool,Get Sales Orders,دریافت سفارشات فروش -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} نمی تواند منفی باشد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} نمی تواند منفی باشد apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,تخفیف DocType: Asset,Total Number of Depreciations,تعداد کل Depreciations DocType: Sales Invoice Item,Rate With Margin,نرخ با حاشیه @@ -1098,7 +1102,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 +1546,ZIP Code,کد پستی +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,ساخت نوشته های سهام @@ -1116,7 +1120,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,لیست چند از تامین کنندگان خود را. آنها می تواند سازمان ها یا افراد. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 ها @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,توزیع کننده DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,سبد خرید قانون حمل و نقل apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,سفارش تولید {0} باید قبل از لغو این سفارش فروش لغو -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',لطفا 'درخواست تخفیف اضافی بر روی' +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,از محدوده است که به کمتر از به محدوده DocType: Global Defaults,Global Defaults,به طور پیش فرض جهانی @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},نخست 2 رقم از GSTIN باید با تعداد دولت مطابقت {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ظرفیت خطا برنامه ریزی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ظرفیت خطا برنامه ریزی ,Trial Balance for Party,تعادل دادگاه برای حزب DocType: Lead,Consultant,مشاور DocType: Salary Slip,Earnings,درامد @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,آیا بازگشت apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,بازگشت / دبیت توجه DocType: Price List Country,Price List Country,لیست قیمت کشور DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} NOS سریال معتبر برای مورد {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} NOS سریال معتبر برای مورد {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,کد مورد می تواند برای شماره سریال نمی تواند تغییر apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},نمایش POS {0} در حال حاضر برای کاربر ایجاد: {1} و {2} شرکت DocType: Sales Invoice Item,UOM Conversion Factor,UOM عامل تبدیل @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',مرکز مورد با کد آیتم های هزینه -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",حساب های بیشتر می تواند در زیر گروه ساخته شده، اما مطالب را می توان در برابر غیر گروه ساخته شده @@ -1221,7 +1225,7 @@ 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,مشخصات لجر DocType: Grading Scale,Intervals,فواصل apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,قدیمیترین -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",گروه مورد با همین نام وجود دارد، لطفا نام مورد تغییر یا تغییر نام گروه مورد +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,مورد {0} می تواند دسته ای ندارد @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر DocType: Purchase Invoice,Rejected Warehouse,انبار را رد کرد DocType: GL Entry,Against Voucher,علیه کوپن DocType: Item,Default Buying Cost Center,به طور پیش فرض مرکز هزینه خرید @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,سفارش فروش {0} معتبر نیست +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,محل صدور apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,قرارداد DocType: Email Digest,Add Quote,افزودن پیشنهاد قیمت -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM مورد نیاز برای UOM: {0} در مورد: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM مورد نیاز برای UOM: {0} در مورد: {1} 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 +736,Sync Master Data,همگام سازی داده های کارشناسی ارشد -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,محصولات یا خدمات شما +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,محصولات یا خدمات شما DocType: Mode of Payment,Mode of Payment,نحوه پرداخت -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,این یک گروه مورد ریشه است و نمی تواند ویرایش شود. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",قانون قیمت گذاری شده است برای اولین بار بر اساس انتخاب 'درخواست در' درست است که می تواند مورد، مورد گروه و یا تجاری. 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 باشد -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},وضعیت سفارش تولید {0} DocType: Appraisal Goal,Goal,هدف DocType: Sales Invoice Item,Edit Description,ویرایش توضیحات ,Team Updates,به روز رسانی تیم @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,انبار کودک برای این انبار وجود دارد. شما می توانید این انبار را حذف کنید. DocType: Item,Website Item Groups,گروه مورد وب سایت DocType: Purchase Invoice,Total (Company Currency),مجموع (شرکت ارز) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,شماره سریال {0} وارد بیش از یک بار +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 +78,{0} items in progress,{0} اقلام در پیشرفت +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,این تعداد از آخرین معامله ایجاد شده با این پیشوند است @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,خود راه انداز 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,7 +1405,7 @@ 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 +260,Max: {0},حداکثر: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,ورود به سیستم ارتباطات. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,حمل و نقل آدرس apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ساختار حسابها DocType: Material Request,Terms and Conditions Content,شرایط و ضوابط محتوا apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,نمی تواند بیشتر از ۱۰۰ باشد -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,مورد {0} است مورد سهام نمی +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,مورد {0} است مورد سهام نمی DocType: Maintenance Visit,Unscheduled,برنامه ریزی DocType: Employee,Owned,متعلق به DocType: Salary Detail,Depends on Leave Without Pay,بستگی به مرخصی بدون حقوق @@ -1444,7 +1446,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 +273,We buy this Item,ما خرید این مورد +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 مانده سال مالی بستهنشده است @@ -1455,7 +1457,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 +266,Sub Assemblies,مجامع زیر +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,مجامع زیر DocType: Asset,Asset Name,نام دارایی DocType: Project,Task Weight,وظیفه وزن DocType: Shipping Rule Condition,To Value,به ارزش @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,منبع 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 +239,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,هیچ ثبتی یافت نشد در جدول پرداخت apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},این {0} درگیری با {1} برای {2} {3} DocType: Student Attendance Tool,Students HTML,دانش آموزان HTML DocType: POS Profile,Apply Discount,اعمال تخفیف -DocType: Purchase Invoice Item,GST HSN Code,GST کد HSN +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 +283,Packing Slip(s) cancelled,بسته بندی لغزش (بازدید کنندگان) لغو @@ -1536,8 +1538,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 +2573,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,جعبه +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 +873,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,فهرست گیرنده خالی است. لطفا ایجاد فهرست گیرنده @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,روش بازپرداخت DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",اگر علامت زده شود، صفحه اصلی خواهد بود که گروه پیش فرض گزینه برای وب سایت DocType: Quality Inspection Reading,Reading 4,خواندن 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM پیش فرض برای {0} برای پروژه یافت نشد {1} 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,وظیفه جد apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,را نقل قول apps/erpnext/erpnext/config/selling.py +216,Other Reports,سایر گزارش DocType: Dependent Task,Dependent Task,وظیفه وابسته -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},عامل تبدیل واحد اندازه گیری پیش فرض از 1 باید در ردیف شود {0} +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 در پیش است. 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} DocType: SMS Center,Receiver List,فهرست گیرنده -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,جستجو مورد +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,قبلا کامل شده +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/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 +263,Quantity must not be more than {0},تعداد نباید بیشتر از {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 ها DocType: Account,Account Name,نام حساب apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,از تاریخ نمی تواند بیشتر از به روز -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,سریال بدون {0} مقدار {1} می تواند یک بخش نمی +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,سریال بدون {0} مقدار {1} می تواند یک بخش نمی apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,نوع منبع کارشناسی ارشد. 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 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,اعزام خودرو تاریخ +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,رسید خرید {0} است ارسال نشده DocType: Company,Default Payable Account,به طور پیش فرض پرداختنی حساب apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",تنظیمات برای سبد خرید آنلاین مانند قوانین حمل و نقل، لیست قیمت و غیره @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,شامل تعطیل DocType: Sales Invoice,Packed Items,آیتم ها بسته بندی شده apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ادعای ضمانت نامه در مقابل شماره سریال DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",جایگزین BOM خاص در تمام BOMs دیگر که در آن استفاده شده است. این پیوند قدیمی BOM جایگزین، به روز رسانی هزینه و بازسازی "BOM مورد انفجار" جدول به عنوان در هر BOM جدید -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','جمع' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','جمع' DocType: Shopping Cart Settings,Enable Shopping Cart,فعال سبد خرید DocType: Employee,Permanent Address,آدرس دائمی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ DocType: Material Request,Transferred,منتقل شده DocType: Vehicle,Doors,درب apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext راه اندازی کامل! DocType: Course Assessment Criteria,Weightage,بین وزنها +DocType: Sales 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,یک گروه مشتری با نام مشابهی وجود دارد. لطا نام مشتری را تغییر دهید یا نام گروه مشتری را اصلاح نمایید. @@ -1720,7 +1723,7 @@ 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 +699,Offline,آفلاین +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,متقاضی برای شغل @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,اصلی apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,نوع دیگر DocType: Naming Series,Set prefix for numbering series on your transactions,تنظیم پیشوند برای شماره سری در معاملات خود را DocType: Employee Attendance Tool,Employees HTML,کارمندان HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد DocType: Employee,Leave Encashed?,ترک نقد شدنی؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت از فیلد اجباری است DocType: Email Digest,Annual Expenses,هزینه سالانه @@ -1749,7 +1752,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 +175,Work-in-Progress Warehouse is required before Submit,کار در حال پیشرفت انبار قبل از ارسال مورد نیاز است +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,اطلاعات قانونی و دیگر اطلاعات کلی در مورد تامین کننده خود را @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,سریال شماره و دسته apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,قدرت دانشجویی گروه apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,علیه مجله ورودی {0} هیچ بی بدیل {1} ورود ندارد apps/erpnext/erpnext/config/hr.py +137,Appraisals,ارزیابی -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},تکراری سریال بدون برای مورد وارد {0} +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}. برای اجازه بیش از حد صدور صورت حساب، لطفا در خرید تنظیمات @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} باید ارائه شود +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,پرداخت @@ -1785,12 +1788,12 @@ 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 +257,"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 +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.",لیست محصولات و یا خدمات خود را که شما خرید و یا فروش. مطمئن شوید برای بررسی گروه مورد، واحد اندازه گیری و خواص دیگر زمانی که شما شروع می شود. 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: Asset Movement,Asset Movement,جنبش دارایی -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,سبد خرید +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,چرخ ها @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,گرفتن اقلام از دریافت خرید DocType: Serial No,Creation Date,تاریخ ایجاد apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},مورد {0} چند بار به نظر می رسد در لیست قیمت {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",فروش باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",فروش باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0} DocType: Production Plan Material Request,Material Request Date,مواد تاریخ درخواست پاسخ به DocType: Purchase Order Item,Supplier Quotation Item,تامین کننده مورد عبارت DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,غیر فعال ایجاد سیاهههای مربوط به زمان در برابر سفارشات تولید. عملیات باید در برابر سفارش تولید ردیابی نیست @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,تامین کننده کالا DocType: Budget,Fiscal Year,سال مالی DocType: Vehicle Log,Fuel Price,قیمت سوخت DocType: Budget,Budget,بودجه -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,مورد دارائی های ثابت باید یک آیتم غیر سهام باشد. +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 +209,e.g. 5,به عنوان مثال 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,به عبارت قابل مشاهده خواهد بود زمانی که به فاکتور فروش را نجات دهد. @@ -1846,7 +1849,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 +263,A Product or Service,یک محصول یا خدمت +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,ارزش فعلی @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,جفت +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,جفت apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید DocType: Asset,Depreciation Schedule,برنامه استهلاک apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,آدرس فروش شریک و اطلاعات تماس @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},مورد گروه در مورد استاد برای آیتم ذکر نشده {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است +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,بدهی به حساب باید یک حساب کاربری دریافتنی است DocType: Shipping Rule Condition,Shipping Amount,مقدار حمل و نقل -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,اضافه کردن مشتریان +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,تحویل @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی ,Supplier-Wise Sales Analytics,تامین کننده حکیم فروش تجزیه و تحلیل ترافیک apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,مبلغ پرداخت را وارد کنید DocType: Salary Structure,Select employees for current Salary Structure,کارکنان برای ساختار حقوق و دستمزد فعلی انتخاب +DocType: Sales Invoice,Company Address Name,Company نشانی نام 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)",دوره پدر و مادر (خالی بگذارید، در صورتی که این بخشی از پدر و مادر البته) @@ -1977,7 +1981,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 +269,Unit,واحد +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,انبار که در آن شما می حفظ سهام از اقلام را رد کرد @@ -1998,7 +2002,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش فروش، فاکتور فروش و یا ورود به مجله می شود +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: از زمان و به زمان الزامی است. DocType: Stock Reconciliation Item,Amount Difference,تفاوت در مقدار @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,طبقه بندی مشتریان بر اساس منطقه apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,مقدار تفاوت باید صفر باشد DocType: Project,Gross Margin,حاشیه ناخالص -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,لطفا ابتدا وارد مورد تولید +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 +748,Quotation,نقل قول @@ -2019,7 +2023,7 @@ 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: Opportunity,Customer / Lead Address,مشتری / سرب آدرس -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},هشدار: گواهینامه SSL نامعتبر در پیوست {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},هشدار: گواهینامه SSL نامعتبر در پیوست {0} DocType: Student Admission,Eligibility,شایستگی apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",آگهی های کمک به شما کسب و کار، اضافه کردن اطلاعات تماس خود را و بیشتر به عنوان منجر خود را DocType: Production Order Operation,Actual Operation Time,عملیات واقعی زمان @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,محاسبه مجموع امتیاز DocType: Request for Quotation,Manufacturing Manager,ساخت مدیر apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},سریال بدون {0} است تحت گارانتی تا {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,تقسیم توجه داشته باشید تحویل بسته بندی شده. -apps/erpnext/erpnext/hooks.py +87,Shipments,محموله +apps/erpnext/erpnext/hooks.py +94,Shipments,محموله DocType: Payment Entry,Total Allocated Amount (Company Currency),مجموع مقدار اختصاص داده شده (شرکت ارز) DocType: Purchase Order Item,To be delivered to customer,به مشتری تحویل DocType: BOM,Scrap Material Cost,هزینه ضایعات مواد -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,سریال نه {0} به هیچ انبار تعلق ندارد +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,سریال نه {0} به هیچ انبار تعلق ندارد DocType: Purchase Invoice,In Words (Company Currency),به عبارت (شرکت ارز) DocType: Asset,Supplier,تامین کننده DocType: C-Form,Quarter,ربع @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,کارمند حساب وام DocType: Leave Application,Total Leave Days,مجموع مرخصی روز DocType: Email Digest,Note: Email will not be sent to disabled users,توجه: ایمیل را به کاربران غیر فعال شده ارسال نمی شود apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,تعداد تعامل -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,کد کالا> مورد گروه> نام تجاری 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 +408,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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",لطفا مقدار اختصاص داده شده، نوع فاکتور و شماره فاکتور در حداقل یک سطر را انتخاب کنید @@ -2102,7 +2105,8 @@ 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,مدیر عامل DocType: Expense Claim Detail,Expense Claim Detail,هزینه جزئیات درخواست -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,لطفا به حساب صحیح را انتخاب کنید +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,سه نسخه عرضه کننده +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,لطفا به حساب صحیح را انتخاب کنید DocType: Item,Weight UOM,وزن UOM DocType: Salary Structure Employee,Salary Structure Employee,کارمند ساختار حقوق و دستمزد DocType: Employee,Blood Group,گروه خونی @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,نگهبان 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 +336,Debit To is required,بدهکاری به مورد نیاز است +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,مدت پیشنهاد @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},مجموع پرد DocType: BOM Website Operation,BOM Website Operation,BOM وب سایت عملیات apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ارائه نامه apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,تولید مواد درخواست (MRP) و سفارشات تولید. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,مجموع صورتحساب AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,مجموع صورتحساب AMT DocType: BOM,Conversion Rate,نرخ تبدیل apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,جستجو در محصولات DocType: Timesheet Detail,To Time,به زمان @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,رویداد آموزش کارکنان -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شماره سریال مورد نیاز برای مورد {1}. شما فراهم کرده اید {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شماره سریال مورد نیاز برای مورد {1}. شما فراهم کرده اید {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,نرخ گذاری کنونی DocType: Item,Customer Item Codes,کدهای مورد مشتری apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,تبادل کاهش / افزایش @@ -2198,7 +2202,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 +2454,Select Batch No,انتخاب دسته ای بدون +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,جستجوی پیشرفته مقدار @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,کاربران اجازه می دهد DocType: Purchase Order,Customer Mobile No,مشتری تلفن همراه بدون DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,پیگیری درآمد و هزینه جداگانه برای محصول و یا عمودی بخش. DocType: Rename Tool,Rename Tool,ابزار تغییر نام -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,به روز رسانی هزینه +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 +438,Show Salary Slip,لغزش نمایش حقوق apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,انتخاب تغییر حساب مقدار +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,اضافه کردن مالیات +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,حساب بودجه @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,رسید خرید بدون apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,بیعانه DocType: Process Payroll,Create Salary Slip,ایجاد لغزش حقوق apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,قابلیت ردیابی +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / کد SAC 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,کارمند @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,فوق لیسانس DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,جزئیات برنامه نگهداری و تعمیرات DocType: Quality Inspection Reading,Reading 9,خواندن 9 DocType: Supplier,Is Frozen,آیا منجمد -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,انبار گره گروه مجاز به برای انجام معاملات را انتخاب کنید +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,انبار گره گروه مجاز به برای انجام معاملات را انتخاب کنید DocType: Buying Settings,Buying Settings,تنظیمات خرید DocType: Stock Entry Detail,BOM No. for a Finished Good Item,شماره BOM برای مورد خوبی در دست اجرا DocType: Upload Attendance,Attendance To Date,حضور و غیاب به روز @@ -2289,13 +2294,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل. +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.js +153,You can not change rate if BOM mentioned agianst any item,اگر ذکر بی ا م در مقابل هر ایتمی باشد شما نمیتوانید نرخ را تغییر دهید +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,برای کمیت apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},لطفا برنامه ریزی شده برای مورد تعداد {0} در ردیف وارد {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,ارزش مجاز DocType: BOM,Show Operations,نمایش عملیات ,Minutes to First Response for Opportunity,دقیقه به اولین پاسخ برای فرصت apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,مجموع غایب -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,واحد اندازه گیری DocType: Fiscal Year,Year End Date,سال پایان تاریخ DocType: Task Depends On,Task Depends On,کار بستگی به @@ -2388,7 +2393,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},می تواند مورد دیگر {0} از مقدار سفارش فروش تولید نمی {1} +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/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,بعد تماس با نمی تواند همان آدرس ایمیل سرب @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,کد عکس +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,کد عکس DocType: Budget,Cost Center,مرکز هزینه زا apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,کوپن # DocType: Notification Control,Purchase Order Message,خرید سفارش پیام @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,تنظیمات سهام @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,وظیفه تکمیل apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,در انبار DocType: Appraisal,HR User,HR کاربر DocType: Purchase Invoice,Taxes and Charges Deducted,مالیات و هزینه کسر -apps/erpnext/erpnext/hooks.py +116,Issues,مسائل مربوط به +apps/erpnext/erpnext/hooks.py +124,Issues,مسائل مربوط به apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},وضعیت باید یکی از است {0} DocType: Sales Invoice,Debit To,بدهی به DocType: Delivery Note,Required only for sample item.,فقط برای نمونه مورد نیاز است. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,منطقه apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,لطفا از هیچ بازدیدکننده داشته است مورد نیاز ذکر DocType: Stock Settings,Default Valuation Method,روش های ارزش گذاری پیش فرض +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,پرداخت DocType: Vehicle Log,Fuel Qty,تعداد سوخت DocType: Production Order Operation,Planned Start Time,برنامه ریزی زمان شروع DocType: Course,Assessment,ارزیابی @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,نقل قول {0} لغو -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,مجموع مقدار برجسته +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,مجموع مقدار برجسته DocType: Sales Partner,Targets,اهداف DocType: Price List,Price List Master,لیست قیمت مستر DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,تمام معاملات فروش را می توان در برابر چند ** ** افراد فروش برچسب به طوری که شما می توانید تعیین و نظارت بر اهداف. ,S.O. No.,SO شماره -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},لطفا مشتری از سرب ایجاد {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},لطفا مشتری از سرب ایجاد {0} DocType: Price List,Applicable for Countries,قابل استفاده برای کشورهای apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,تنها برنامه های کاربردی با وضعیت ترک 'تایید' و 'رد' را می توان ارسال apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},دانشجو نام گروه را در ردیف الزامی است {0} @@ -2601,6 +2607,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/config/hr.py +163,Define various loan types,تعریف انواع مختلف وام DocType: Bin,FCFS Rate,FCFS نرخ DocType: Payment Reconciliation Invoice,Outstanding Amount,مقدار برجسته @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,انتقال مواد ب 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.,درصد تخفیف می تواند یا علیه یک لیست قیمت و یا برای همه لیست قیمت اعمال می شود. DocType: Purchase Invoice,Half-yearly,نیمه سال apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ثبت حسابداری برای انبار +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,شما در حال حاضر برای معیارهای ارزیابی ارزیابی {}. DocType: Vehicle Service,Engine Oil,روغن موتور -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا کارمند راه اندازی نامگذاری سیستم در منابع انسانی> تنظیمات HR 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,آدرس مشتری @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,حقوقی نهاد / جانبی با نمودار جداگانه حساب متعلق به سازمان. DocType: Payment Request,Mute Email,بیصدا کردن ایمیل apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",مواد غذایی، آشامیدنی و دخانیات -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},می توانید تنها پرداخت به را unbilled را {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},می توانید تنها پرداخت به را unbilled را {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,نرخ کمیسیون نمی تواند بیشتر از 100 DocType: Stock Entry,Subcontract,مقاطعه کاری فرعی apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,لطفا ابتدا وارد {0} @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,دانشجو جدول حضور ماهانه apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},کارمند {0} در حال حاضر برای اعمال {1} {2} بین و {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,پروژه تاریخ شروع -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,تا +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,تا DocType: Rename Tool,Rename Log,تغییر نام ورود apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,گروه دانش آموز و یا برنامه های آموزشی الزامی است DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,حفظ ساعت حسابداری و ساعات کار در همان برنامه زمانی @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,بازگشت تعداد DocType: Employee,Exit,خروج apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,نوع ریشه الزامی است DocType: BOM,Total Cost(Company Currency),برآورد هزینه (شرکت ارز) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,سریال بدون {0} ایجاد +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,سریال بدون {0} ایجاد DocType: Homepage,Company Description for website homepage,شرکت برای صفحه اصلی وب سایت DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",برای راحتی مشتریان، این کدها می توان در فرمت چاپ مانند فاکتورها و تحویل یادداشت استفاده می شود apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,نام Suplier @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,URL SMS دروازه apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,برنامه دوره حذف: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,سیاهههای مربوط به حفظ وضعیت تحویل اس ام اس DocType: Accounts Settings,Make Payment via Journal Entry,پرداخت از طریق ورود مجله -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,چاپ شده در +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,چاپ شده در DocType: Item,Inspection Required before Delivery,بازرسی مورد نیاز قبل از تحویل DocType: Item,Inspection Required before Purchase,بازرسی مورد نیاز قبل از خرید apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,فعالیت در انتظار @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,دانشج apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,محدودیت عبور apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,مدت علمی با این سال تحصیلی '{0} و نام مدت:' {1} قبل وجود دارد. لطفا این نوشته را تغییر دهید و دوباره امتحان کنید. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",به عنوان تراکنش های موجود در برابر آیتم {0} وجود دارد، شما می توانید مقدار را تغییر دهید {1} +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}",به عنوان تراکنش های موجود در برابر آیتم {0} وجود دارد، شما می توانید مقدار را تغییر دهید {1} DocType: UOM,Must be Whole Number,باید عدد DocType: Leave Control Panel,New Leaves Allocated (In Days),برگ جدید اختصاص داده شده (در روز) +DocType: Sales Invoice,Invoice Copy,فاکتور کپی apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,سریال بدون {0} وجود ندارد DocType: Sales Invoice Item,Customer Warehouse (Optional),انبار و ضوابط (اختیاری) DocType: Pricing Rule,Discount Percentage,درصد تخفیف @@ -2823,8 +2831,10 @@ 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 +305,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,حساب استهلاک انباشته DocType: Stock Settings,Freeze Stock Entries,یخ مطالب سهام +DocType: Program Enrollment,Boarding Student,دانشجویی شبانه روزی DocType: Asset,Expected Value After Useful Life,مقدار مورد انتظار پس از زندگی مفید DocType: Item,Reorder level based on Warehouse,سطح تغییر مجدد ترتیب بر اساس انبار DocType: Activity Cost,Billing Rate,نرخ صدور صورت حساب @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,گارانتی / AMC اطلاعات ب apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,دانش آموزان به صورت دستی برای فعالیت بر اساس گروه انتخاب DocType: Journal Entry,User Remark,نکته کاربری DocType: Lead,Market Segment,بخش بازار -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},مبلغ پرداخت نمی تواند بیشتر از کل مقدار برجسته منفی {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},مبلغ پرداخت نمی تواند بیشتر از کل مقدار برجسته منفی {0} DocType: Employee Internal Work History,Employee Internal Work History,کارمند داخلی سابقه کار apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),بسته شدن (دکتر) DocType: Cheque Print Template,Cheque Size,حجم چک -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,سریال بدون {0} در سهام +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,سریال بدون {0} در سهام apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,قالب های مالیاتی برای فروش معاملات. DocType: Sales Invoice,Write Off Outstanding Amount,ارسال فعال برجسته مقدار apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},حساب {0} با شرکت مطابقت ندارد {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,اضافه کردن چند پرونده نمونه +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,به طور کامل تحویل @@ -2893,17 +2903,17 @@ 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 +418,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,سفارش خرید مشتری apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,سریال نه و دسته ای DocType: Warranty Claim,From Company,از شرکت -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع نمرات از معیارهای ارزیابی نیاز به {0} باشد. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع نمرات از معیارهای ارزیابی نیاز به {0} باشد. 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 +270,Minute,دقیقه +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,دقیقه DocType: Purchase Invoice,Purchase Taxes and Charges,خرید مالیات و هزینه ,Qty to Receive,تعداد دریافت DocType: Leave Block List,Leave Block List Allowed,ترک فهرست بلوک های مجاز @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,نرم افزار- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,بانک حساب چک بی محل apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,را لغزش حقوق apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ردیف # {0}: مقدار اختصاص داده شده نمی تواند بیشتر از مقدار برجسته. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,مرور BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,مرور BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,وام DocType: Purchase Invoice,Edit Posting Date and Time,ویرایش های ارسال و ویرایش تاریخ و زمان apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا حساب مربوط استهلاک در دارایی رده {0} یا شرکت {1} @@ -2939,7 +2949,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 +278,Select Quantity,انتخاب تعداد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,لغو اشتراک از این ایمیل خلاصه @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},اجازه به روز رسانی معاملات سهام مسن تر از {0} DocType: Purchase Invoice Item,PR Detail,PR جزئیات DocType: Sales Order,Fully Billed,به طور کامل صورتحساب +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,کننده> نوع کننده 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 +127,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),وزن ناخالص از بسته. معمولا وزن خالص + وزن مواد بسته بندی. (برای چاپ) @@ -2999,8 +3010,9 @@ 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} است ارسال نشده DocType: Customs Tariff Number,Tariff Number,شماره تعرفه +DocType: Production Order Item,Available Qty at WIP Warehouse,موجود در انبار تعداد WIP apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,بینی -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},سریال بدون {0} به انبار تعلق ندارد {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},سریال بدون {0} به انبار تعلق ندارد {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,توجه: سیستم نمی خواهد بیش از چک زایمان و بیش از رزرو مورد {0} به عنوان مقدار و یا مقدار 0 است DocType: Notification Control,Quotation Message,نقل قول پیام DocType: Employee Loan,Employee Loan Application,کارمند وام نرم افزار @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,هزینه فرود مقدار کوپن apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,لوایح مطرح شده توسط تولید کنندگان. DocType: POS Profile,Write Off Account,ارسال فعال حساب -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,بدهی توجه داشته باشید مبلغ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,بدهی توجه داشته باشید مبلغ apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,مقدار تخفیف 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 +207,e.g. VAT,به عنوان مثال مالیات بر ارزش افزوده +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,پیمانکاری @@ -3032,7 +3044,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 +1945,Please select customer,لطفا به مشتریان را انتخاب کنید +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,لطفا به مشتریان را انتخاب کنید DocType: C-Form,I,من DocType: Company,Asset Depreciation Cost Center,دارایی مرکز استهلاک هزینه DocType: Sales Order Item,Sales Order Date,تاریخ سفارش فروش @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,نشانی محصول apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,حزب الزامی است DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,نام موضوع -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,حداقل یکی از خرید و یا فروش باید انتخاب شود +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,حداقل یکی از خرید و یا فروش باید انتخاب شود apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ماهیت کسب و کار خود را انتخاب کنید. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ردیف # {0}: کپی مطلب در منابع {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,که در آن عملیات ساخت در حال انجام شده است. @@ -3070,7 +3082,7 @@ 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} DocType: Employee,Confirmation Date,تایید عضویت DocType: C-Form,Total Invoiced Amount,کل مقدار صورتحساب -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,حداقل تعداد نمی تواند بیشتر از حداکثر تعداد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,حداقل تعداد نمی تواند بیشتر از حداکثر تعداد DocType: Account,Accumulated Depreciation,استهلاک انباشته DocType: Stock Entry,Customer or Supplier Details,مشتری و یا تامین کننده DocType: Employee Loan Application,Required by Date,مورد نیاز تاریخ @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,خرید سف apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,نام شرکت می تواند شرکت نیست apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,سران نامه برای قالب چاپ. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,عناوین برای قالب چاپ به عنوان مثال پروفرم فاکتور. +DocType: Program Enrollment,Walking,پیاده روی DocType: Student Guardian,Student Guardian,دانشجو نگهبان apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,نوع گذاری اتهامات نمی تواند به عنوان فراگیر مشخص شده DocType: POS Profile,Update Stock,به روز رسانی سهام -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,کننده> نوع کننده apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM مختلف برای اقلام خواهد به نادرست (مجموع) خالص ارزش وزن منجر شود. مطمئن شوید که وزن خالص هر یک از آیتم است در UOM همان. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM نرخ DocType: Asset,Journal Entry for Scrap,ورودی مجله برای ضایعات @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,نمایش مالیاتی تجزیه apps/erpnext/erpnext/accounts/party.py +308,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,هیچ دانش آموزان یافت @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,هیچ دانشآموزی در +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 +108,Please enter 'Expected Delivery Date',لطفا "انتظار تاریخ تحویل را وارد apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN نامعتبر یا NA را وارد کنید برای ثبت نام نشده +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),سهم (٪) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,توجه: ورودی پرداخت خواهد از ایجاد شوند "نقدی یا حساب بانکی 'مشخص نشده بود apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,مسئولیت DocType: Expense Claim Account,Expense Claim Account,حساب ادعای هزینه +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا مجموعه نامگذاری سری برای {0} از طریق راه اندازی> تنظیمات> نامگذاری سری 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,اضافه کردن کاربران 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. DocType: Stock Reconciliation Item,Before reconciliation,قبل از آشتی apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},به {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),مالیات و هزینه اضافه شده (شرکت ارز) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ردیف مالیاتی مورد {0} باید حساب از نوع مالیات یا درآمد یا هزینه یا شارژ داشته +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ردیف مالیاتی مورد {0} باید حساب از نوع مالیات یا درآمد یا هزینه یا شارژ داشته DocType: Sales Order,Partly Billed,تا حدودی صورتحساب apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,مورد {0} باید مورد دارائی های ثابت شود DocType: Item,Default BOM,به طور پیش فرض BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,دبیت توجه مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,دبیت توجه مقدار apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,لطفا دوباره نوع نام شرکت برای تایید -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,مجموع برجسته AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,مجموع برجسته AMT DocType: Journal Entry,Printing Settings,تنظیمات چاپ DocType: Sales Invoice,Include Payment (POS),شامل پرداخت (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},دبیت مجموع باید به مجموع اعتبار مساوی باشد. تفاوت در این است {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,خودر DocType: Vehicle,Insurance Company,شرکت بیمه DocType: Asset Category Account,Fixed Asset Account,حساب دارایی ثابت apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,متغیر -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,از تحویل توجه داشته باشید +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,از تحویل توجه داشته باشید DocType: Student,Student Email Address,دانشجو آدرس ایمیل DocType: Timesheet Detail,From Time,از زمان apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,در انبار: DocType: Notification Control,Custom Message,سفارشی پیام apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,بانکداری سرمایه گذاری apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,نقدی یا حساب بانکی برای ساخت پرداخت ورود الزامی است -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا راه اندازی شماره سری برای حضور و غیاب از طریق راه اندازی> شماره سری apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,نشانی دانشجویی 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 +1517,Address Name,نام آدرس +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,نام آدرس DocType: Stock Entry,From BOM,از BOM DocType: Assessment Code,Assessment Code,کد ارزیابی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,پایه @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید. +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/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,میزان بازپرداخت ماهانه نمی تواند بیشتر از وام مبلغ @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,دانشجو در حال حاضر ثبت نام. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,حقوق و دستمزد فرآیند apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,می تعطیلات بیشتر از روز کاری در این ماه وجود دارد. DocType: Product Bundle Item,Product Bundle Item,محصولات بسته نرم افزاری مورد DocType: Sales Partner,Sales Partner Name,نام شریک فروش -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,درخواست نرخ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,درخواست نرخ DocType: Payment Reconciliation,Maximum Invoice Amount,حداکثر مبلغ فاکتور DocType: Student Language,Student Language,زبان دانشجو apps/erpnext/erpnext/config/selling.py +23,Customers,مشتریان @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,نیمه مستهلک DocType: Issue,Opening Time,زمان باز شدن apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,از و به تاریخ های الزامی apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,اوراق بهادار و بورس کالا -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',واحد اندازه گیری پیش فرض برای متغیر '{0}' باید همان است که در الگو: '{1}' +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 +847,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,مواد اولیه +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,مبلغ مالیات پس از تخفیف مبلغ @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,باز کردن تاریخ باید قبل از بسته شدن تاریخ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا مجموعه نامگذاری سری برای {0} از طریق راه اندازی> تنظیمات> نامگذاری سری 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.,روز که تعطیلات برای این بخش مسدود شده است. @@ -3330,8 +3341,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',نمی تواند کسر زمانی که دسته بندی است برای ارزش گذاری "یا" ارزش گذاری و مجموع " -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},سریال شماره سریال مورد نیاز برای مورد {0} +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/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,بانک ورودی DocType: Authorization Rule,Applicable To (Designation),به (برای تعیین) @@ -3348,7 +3359,7 @@ 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 +270,Hour,ساعت +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,شما مجاز به تایید برگ در تاریخ های مسدود شده نیستید @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,نقطه ای از فروش +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,نقطه ای از فروش DocType: Payment Entry,Received Amount,دریافت مبلغ DocType: GST Settings,GSTIN Email Sent On,GSTIN ایمیل فرستاده شده در DocType: Program Enrollment,Pick/Drop by Guardian,انتخاب / قطره های نگهبان @@ -3373,8 +3384,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 +270,Gram,گرم -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد. +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/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 واحد است. @@ -3399,14 +3410,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 +465,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,حضور و غیاب علامت برای کارکنان متعدد @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0} DocType: Leave Allocation,Unused leaves,برگ استفاده نشده apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,کروم DocType: Tax Rule,Billing State,دولت صدور صورت حساب @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},ویژگی نامعتبر {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',لطفا گروه ارزیابی غیر از 'همه گروه ارزیابی "را انتخاب کنید @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,قطعات حقوق و DocType: Program Enrollment Tool,New Academic Year,سال تحصیلی apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,بازگشت / اعتباری DocType: Stock Settings,Auto insert Price List rate if missing,درج خودرو نرخ لیست قیمت اگر از دست رفته -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,کل مقدار پرداخت +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,کل مقدار پرداخت DocType: Production Order Item,Transferred Qty,انتقال تعداد apps/erpnext/erpnext/config/learn.py +11,Navigating,ناوبری 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 +272,We sell this Item,ما فروش این مورد +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,داده های نمونه 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,تاریخ نیم روز @@ -3640,7 +3653,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 +1186,Please set Company,لطفا مجموعه شرکت +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,لطفا مجموعه شرکت DocType: Pricing Rule,Buying,خرید DocType: HR Settings,Employee Records to be created by,سوابق کارمند به ایجاد شود DocType: POS Profile,Apply Discount On,درخواست تخفیف @@ -3656,13 +3669,14 @@ 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,جمع آوری هزینه DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},بارکد {0} در حال حاضر در مورد استفاده {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},بارکد {0} در حال حاضر در مورد استفاده {1} DocType: Lead,Add to calendar on this date,افزودن به تقویم در این تاریخ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,مشاهده قوانین برای اضافه کردن هزینه های حمل و نقل. DocType: Item,Opening Stock,سهام باز کردن apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,مشتری مورد نیاز است apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} برای بازگشت الزامی است DocType: Purchase Order,To Receive,برای دریافت +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,ایمیل شخصی apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,واریانس ها DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",اگر فعال باشد، سیستم مطالب حسابداری برای موجودی ارسال به صورت خودکار. @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,فروش استاندارد @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,خارج از ضمانت DocType: BOM Replace Tool,Replace,جایگزین کردن apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,هیچ محصولی وجود ندارد پیدا شده است. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} در برابر فاکتور فروش {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,نام پروژه @@ -3692,6 +3705,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} 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} یا در حال حاضر همسان در برابر دیگر کوپن @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,مورد {0} از آن نادیده گرفته است یک آیتم سهام نمی +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 +40,Submit this Production Order for further processing.,ارسال این سفارش تولید برای پردازش بیشتر است. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,شغل ها @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),نرخ (٪) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",اضافه کردن کاربران به سازمان شما، به غیر از خودتان +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',لطفا مجموعه شرکت فیلتر خالی اگر گروه توسط است شرکت ' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,مجوز های ارسال و تاریخ نمی تواند تاریخ آینده apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ردیف # {0}: سریال نه {1} با مطابقت ندارد {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,مرخصی گاه به گاه @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,سهام لجر ورود apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,مورد {0} است راه اندازی برای سریال شماره نیست. ستون باید خالی باشد +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,مورد {0} است راه اندازی برای سریال شماره نیست. ستون باید خالی باشد DocType: Accounts Settings,Accounts Settings,تنظیمات حسابها apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,تایید DocType: Customer,Sales Partner and Commission,شریک فروش و کمیسیون @@ -3787,7 +3803,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 +62,{0} items produced,{0} کالاهای تولید شده +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,برگشت @@ -3801,7 +3817,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,مظنهء ارز -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,مدیریت ناوگان @@ -3826,18 +3842,18 @@ 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 +705,Online,آنلاین +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} غیرفعال شده است DocType: Employee Loan,Repay Fixed Amount per Period,بازپرداخت مقدار ثابت در هر دوره apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},لطفا مقدار برای آیتم را وارد کنید {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,اعتباری مبلغ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,اعتباری مبلغ DocType: Employee External Work History,Employee External Work History,کارمند خارجی سابقه کار DocType: Tax Rule,Purchase,خرید apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,تعداد موجودی @@ -3862,7 +3878,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 +2383,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور DocType: Employee,Encashment Date,Encashment عضویت DocType: Training Event,Internet,اینترنت DocType: Account,Stock Adjustment,تنظیم سهام @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,نگهبان DocType: Grading Scale Interval,Threshold,آستانه DocType: BOM Replace Tool,Current BOM,BOM کنونی apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,اضافه کردن سریال بدون +DocType: Production Order Item,Available Qty at Source Warehouse,موجود تعداد در منبع انبار apps/erpnext/erpnext/config/support.py +22,Warranty,گارانتی DocType: Purchase Invoice,Debit Note Issued,بدهی توجه صادر DocType: Production Order,Warehouses,ساختمان و ذخیره سازی @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,مبلغ پر apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,مدیر پروژه ,Quoted Item Comparison,مورد نقل مقایسه apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,اعزام -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,حداکثر تخفیف را برای آیتم: {0} {1}٪ است +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 +279,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 +879,Select Items to Manufacture,انتخاب موارد برای ساخت -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان DocType: Item,Material Issue,شماره مواد DocType: Hub Settings,Seller Description,فروشنده توضیحات DocType: Employee Education,Qualification,صلاحیت @@ -3936,7 +3953,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 +200,Cannot cancel because submitted Stock Entry {0} exists,نمی تواند به دلیل لغو ارائه سهام ورود {0} وجود دارد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,نمی تواند به دلیل لغو ارائه سهام ورود {0} وجود دارد DocType: Employee Loan,Disbursement Date,تاریخ پرداخت DocType: Vehicle,Vehicle,وسیله نقلیه DocType: Purchase Invoice,In Words,به عبارت @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",برای تنظیم این سال مالی به عنوان پیش فرض، بر روی "تنظیم به عنوان پیش فرض ' apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,پیوستن apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,کمبود تعداد -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد DocType: Employee Loan,Repay from Salary,بازپرداخت از حقوق و دستمزد DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},درخواست پرداخت در مقابل {0} {1} برای مقدار {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,سریال بدون {0} در حال حاضر دریافت شده است +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: Expense Claim,Vehicle Log,ورود خودرو DocType: Purchase Invoice,Recurring Id,تکرار کد DocType: Customer,Sales Team Details,جزییات تیم فروش -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,به طور دائم حذف کنید؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},نامعتبر {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},نامعتبر {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,مرخصی استعلاجی DocType: Email Digest,Email Digest,ایمیل خلاصه DocType: Delivery Note,Billing Address Name,حسابداری نام آدرس @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,پرشدنی DocType: Company,Change Abbreviation,تغییر اختصار DocType: Expense Claim Detail,Expense Date,هزینه عضویت +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,کد کالا> مورد گروه> نام تجاری DocType: Item,Max Discount (%),حداکثر تخفیف (٪) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,مبلغ آخرین سفارش DocType: Task,Is Milestone,است نقطه عطف @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,برنامه جدید DocType: Item Attribute Value,Attribute Value,موجودیت مقدار ,Itemwise Recommended Reorder Level,Itemwise توصیه ترتیب مجدد سطح DocType: Salary Detail,Salary Detail,جزئیات حقوق و دستمزد -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,لطفا انتخاب کنید {0} برای اولین بار -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,دسته {0} از {1} مورد تمام شده است. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,لطفا انتخاب کنید {0} برای اولین بار +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,دسته {0} از {1} مورد تمام شده است. DocType: Sales Invoice,Commission,کمیسیون apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ورق زمان برای تولید. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,جمع جزء @@ -4047,12 +4065,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 +399,Operation Time must be greater than 0 for Operation {0},عملیات زمان باید بیشتر از 0 برای عملیات می شود {0} +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/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 +387,Production Order cannot be raised against a Item Template,سفارش تولید می تواند در برابر یک الگو مورد نمی توان مطرح +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,تاریخ شروع @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,تاریخ دفع DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ایمیل خواهد شد به تمام کارمندان فعال این شرکت در ساعت داده ارسال می شود، اگر آنها تعطیلات ندارد. خلاصه ای از پاسخ های خواهد شد در نیمه شب فرستاده شده است. DocType: Employee Leave Approver,Employee Leave Approver,کارمند مرخصی تصویب -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",نمی تواند به عنوان از دست رفته اعلام، به دلیل عبارت ساخته شده است. 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} باید ارائه شود @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,دانشجو apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,واحد سازمانی (گروه آموزشی) استاد. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,لطفا NOS تلفن همراه معتبر وارد کنید apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,لطفا قبل از ارسال پیام را وارد کنید +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,تکراری برای کننده DocType: Email Digest,Pending Quotations,در انتظار نقل قول apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,نقطه از فروش مشخصات apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,لطفا تنظیمات SMS به روز رسانی @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,هزینه نام مرکز DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,حداکثر ساعات کار در برابر برنامه زمانی DocType: Maintenance Schedule Detail,Scheduled Date,تاریخ برنامه ریزی شده -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,مجموع پرداخت AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,مجموع پرداخت AMT DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,پیام های بزرگتر از 160 کاراکتر خواهد شد را به چندین پیام را تقسیم DocType: Purchase Receipt Item,Received and Accepted,دریافت و پذیرفته ,GST Itemised Sales Register,GST جزء به جزء فروش ثبت نام @@ -4133,7 +4152,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 +237,Your Suppliers,تامین کنندگان شما +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',نمی توانید کسر وقتی دسته است برای ارزش گذاری "یا" Vaulation و مجموع: @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}",همانطور که در تنظیمات از خرید اگر خرید Reciept مورد نیاز == "YES"، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد رسید خرید برای اولین بار در مورد {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,وب سایت تصویر {0} متصل به مورد {1} را نمی توان یافت +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.,فهرست این مورد در گروه های متعدد بر روی وب سایت. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,چه کار apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,به انبار apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,همه پذیرش دانشجو ,Average Commission Rate,اوسط نرخ کمیشن -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""دارای شماره سریال"" برای موارد غیر انباری نمی تواند ""بله"" باشد" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""دارای شماره سریال"" برای موارد غیر انباری نمی تواند ""بله"" باشد" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,حضور و غیاب می تواند برای تاریخ های آینده باشد مشخص شده DocType: Pricing Rule,Pricing Rule Help,قانون قیمت گذاری راهنما DocType: School House,House Name,نام خانه @@ -4176,7 +4195,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 +339,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,تاریخ بیمه شروع باید کمتر از تاریخ پایان باشد بیمه @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای ورق زمان ایجاد {1} DocType: Vehicle Log,Odometer,کیلومتر شمار DocType: Sales Order Item,Ordered Qty,دستور داد تعداد -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,مورد {0} غیر فعال است +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 +874,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,اطلاعات سوختگیری apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,تولید حقوق و دستمزد ورقه -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",خرید باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",خرید باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,تخفیف باید کمتر از 100 باشد 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 +500,Default BOM for {0} not found,BOM به طور پیش فرض برای {0} یافت نشد -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ردیف # {0}: لطفا مقدار سفارش مجدد مجموعه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,برنامه ثبت نام DocType: Landed Cost Voucher,Landed Cost Voucher,فرود کوپن هزینه @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,تاریخ انتظار نمی رود می تواند قبل از درخواست عضویت مواد است DocType: Purchase Invoice Item,Stock Qty,موجودی تعداد -DocType: Production Order,Source Warehouse (for reserving Items),انبار منبع (برای رزرو کردن) DocType: Employee Loan,Repayment Period in Months,دوره بازپرداخت در ماه apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,خطا: نه یک شناسه معتبر است؟ DocType: Naming Series,Update Series Number,به روز رسانی سری شماره @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,برنامه ریزی پایان تا apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,که در آن موارد ذخیره می شود. DocType: Request for Quotation,Supplier Detail,جزئیات کننده apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},اشکال در فرمول یا شرایط: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,مقدار صورتحساب +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,مقدار صورتحساب DocType: Attendance,Attendance,حضور apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,انبار قلم DocType: BOM,Materials,مصالح @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,راه اندازی یک وب سایت ساده برای سازمان من +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0} DocType: Item,Default Warehouse,به طور پیش فرض انبار apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},بودجه می تواند در برابر حساب گروه اختصاص {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,لطفا پدر و مادر مرکز هزینه وارد @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید +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/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,این است که در حضور این کارمند بر اساس @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,سال تاریخ شروع DocType: Attendance,Employee Name,نام کارمند DocType: Sales Invoice,Rounded Total (Company Currency),گرد مجموع (شرکت ارز) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا کارمند راه اندازی نامگذاری سیستم در منابع انسانی> تنظیمات HR 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} اصلاح شده است. لطفا بازخوانی کنید. DocType: Leave Block List,Stop users from making Leave Applications on following days.,توقف کاربران از ساخت نرم افزار مرخصی در روز بعد. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,خواندن 3 ,Hub,قطب DocType: GL Entry,Voucher Type,کوپن نوع -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} باید تنظیم شود به عنوان چپ @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,حساب کاربری برای ت apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ردیف {0}: حزب / حساب با مطابقت ندارد {1} / {2} در {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,لطفا هزینه حساب وارد کنید DocType: Account,Stock,موجودی -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود DocType: Employee,Current Address,آدرس فعلی DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",اگر مورد یک نوع از آیتم دیگری پس از آن توضیحات، تصویر، قیمت گذاری، مالیات و غیره را از قالب مجموعه ای است مگر اینکه صریحا مشخص DocType: Serial No,Purchase / Manufacture Details,خرید / جزئیات ساخت @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,آدرس خانه apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,دارایی انتقال DocType: POS Profile,POS Profile,نمایش POS DocType: Training Event,Event Name,نام رخداد -apps/erpnext/erpnext/config/schools.py +39,Admission,پذیرش +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,پذیرش apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},پذیرش برای {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",مورد {0} یک قالب است، لطفا یکی از انواع آن را انتخاب کنید DocType: Asset,Asset Category,دارایی رده +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,خریدار apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,پرداخت خالص نمی تونه منفی DocType: SMS Settings,Static Parameters,پارامترهای استاتیک DocType: Assessment Plan,Room,اتاق @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,مالیات مورد apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,مواد به کننده apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,فاکتور مالیات کالاهای داخلی apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ بیش از یک بار به نظر می رسد +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ضوابط> ضوابط گروه> قلمرو 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,بدهی های جاری @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,آیا حمل به جلو apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,ارسال نمی حقوق ورقه ,Stock Summary,خلاصه سهام diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv index 07d0478a6c..7e4c06e92e 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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ä DocType: Employee,Holiday List,lomaluettelo -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Kirjanpitäjä +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Kirjanpitäjä DocType: Cost Center,Stock User,varasto käyttäjä DocType: Company,Phone No,Puhelinnumero apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kurssin aikataulut luotu: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ei saa {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Hae nimikkeet -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Ei kohdetta löydetty +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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" @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Perusraportit DocType: Warehouse,Warehouse Detail,Varaston lisätiedot apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},asiakkaan {0} luottoraja on ylittynyt: {1} / {2} 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.,Term Päättymispäivä ei voi olla myöhemmin kuin vuosi Päättymispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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ä @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},alkaen {0} on {1} DocType: Item,Copy From Item Group,kopioi tuoteryhmästä DocType: Journal Entry,Opening Entry,Avauskirjaus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Asiakas> Asiakaspalvelu Group> Territory apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tilin Pay Only DocType: Employee Loan,Repay Over Number of Periods,Repay Yli Kausien määrä DocType: Stock Entry,Additional Costs,Lisäkustannukset @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Kiinteistöt -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,tiliote +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 DocType: Purchase Invoice Item,Is Fixed Asset,Onko käyttöomaisuusosakkeet apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Saatavilla Määrä on {0}, sinun {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,käytettävä +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,12 +211,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Esimerkki: Basic Mathematics +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/config/hr.py +214,Settings for HR Module,Henkilöstömoduulin asetukset DocType: SMS Center,SMS Center,Tekstiviesti keskus @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Tuotteet ja hinnoittelu apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Yhteensä tuntia: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},alkaen päivä tulee olla tilikaudella olettaen alkaen päivä = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Lainausmerkit DocType: Customer,Individual,yksilöllinen DocType: Interest,Academics User,Academics Käyttäjä DocType: Cheque Print Template,Amount In Figure,Määrä Kuvassa @@ -264,7 +265,7 @@ DocType: Employee,Create User,Luo käyttäjä DocType: Selling Settings,Default Territory,oletus alue apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televisio DocType: Production Order Operation,Updated via 'Time Log',Päivitetty 'aikaloki' kautta -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance määrä ei voi olla suurempi kuin {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance määrä ei voi olla suurempi kuin {0} {1} DocType: Naming Series,Series List for this Transaction,Sarjalistaus tähän tapahtumaan DocType: Company,Enable Perpetual Inventory,Ota investointikertymämenetelmän DocType: Company,Default Payroll Payable Account,Oletus Payroll Maksettava Account @@ -272,7 +273,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 +177,For Warehouse is required before Submit,varastoon vaaditaan ennen lähetystä +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/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." @@ -280,13 +281,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 +2256,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,"yhteystiedot, nimi" +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Työsuhteen päättymisäpäivän on oltava aloituspäivän jälkeen apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Vapaat vuodessa 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 +189,Warehouse {0} does not belong to company {1},Varasto {0} ei kuulu yritykselle {1} +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 +270,Litre,litra +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank merkinnät apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Vuotuinen DocType: Stock Reconciliation Item,Stock Reconciliation Item,"varaston täsmäytys, tuote" @@ -314,7 +315,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 +316,People who teach at your organisation,"Ihmiset, jotka opettavat organisaatiossa" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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ä @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Salli käyttäjän muokata Hinta DocType: Item,Publish in Hub,Julkaista Hub DocType: Student Admission,Student Admission,Opiskelijavalinta ,Terretory,Alue -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Nimike {0} on peruutettu +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 +882,Material Request,materiaalipyyntö DocType: Bank Reconciliation,Update Clearance Date,Päivitä tilityspäivä DocType: Item,Purchase Details,Oston lisätiedot @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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" -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} vero on kirjattu kahdesti +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} vero on kirjattu kahdesti apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Yhteenveto tällä viikolla ja keskeneräisten toimien DocType: Student Applicant,Admitted,Hyväksytty DocType: Workstation,Rent Cost,vuokrakustannukset @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% vastaanotettu apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Luo Student Groups apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Määritys on valmis -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Hyvityslaskun summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Hyvityslaskun summa ,Finished Goods,Valmiit tavarat DocType: Delivery Note,Instructions,ohjeet DocType: Quality Inspection,Inspected By,tarkastanut @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Luo uusi asiakas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä setup numerointi sarjan läsnäolevaksi Setup> numerointi Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Luo ostotilaukset ,Purchase Register,Osto Rekisteröidy DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,7 +470,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 +330,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 +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Taito {0} valittu useita kertoja määritteet taulukossa +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Taito {0} valittu useita kertoja määritteet taulukossa DocType: HR Settings,Employee record is created using selected field. ,työntekijä tietue luodaan käyttämällä valittua kenttää DocType: Sales Order,Not Applicable,ei sovellettu apps/erpnext/erpnext/config/hr.py +70,Holiday master.,lomien valvonta @@ -523,7 +525,7 @@ 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 +219,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 +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/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 @@ -537,7 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,syötä varasto jonne materiaalipyyntö ohjataan DocType: Production Order,Additional Operating Cost,lisätoimintokustannukset apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kosmetiikka -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",Seuraavat ominaisuudet tulee olla samat molemmilla tuotteilla jotta ne voi sulauttaa +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",Seuraavat ominaisuudet tulee olla samat molemmilla tuotteilla jotta ne voi sulauttaa DocType: Shipping Rule,Net Weight,Nettopaino DocType: Employee,Emergency Phone,hätänumero apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Ostaa @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lisää / muokkaa veroja ja maksuja DocType: Purchase Invoice,Supplier Invoice No,toimittajan laskun nro DocType: Territory,For reference,viitteeseen -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Sarjanumeroa {0} ei voida poistaa, koska sitä on käytetty varastotapahtumissa" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Sarjanumeroa {0} ei voida poistaa, koska sitä on käytetty varastotapahtumissa" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),sulku (cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Move Kohde DocType: Serial No,Warranty Period (Days),Takuuaika (päivää) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Valitse ensin yritys ja osapuoli tyyppi apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Tili- / Kirjanpitokausi apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,kertyneet Arvot -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",Sarjanumeroita ei voi yhdistää +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",Sarjanumeroita ei voi yhdistää apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,tee myyntitilaus DocType: Project Task,Project Task,Projekti Tehtävä ,Lead Id,Liidin tunnus @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Jakaa apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Myynti Return 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,Huomautus: Total varattu lehdet {0} ei saa olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi +,Total Stock Summary,Yhteensä Stock Yhteenveto DocType: Announcement,Posted By,Lähettänyt DocType: Item,Delivered by Supplier (Drop Ship),Toimittaja lähettää asiakkaalle (ns. suoratoimitus) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,tietokanta potentiaalisista asiakkaista @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,asiakasrekisteri DocType: Quotation,Quotation To,Tarjouksen kohde DocType: Lead,Middle Income,keskitason tulo apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Oletus mittayksikkö Tuote {0} ei voi muuttaa suoraan, koska olet jo tehnyt joitakin tapahtuma (s) toisen UOM. Sinun täytyy luoda uusi Tuote käyttää eri Default UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Oletus mittayksikkö Tuote {0} ei voi muuttaa suoraan, koska olet jo tehnyt joitakin tapahtuma (s) toisen UOM. Sinun täytyy luoda uusi Tuote käyttää eri Default UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,kohdennettu määrä ei voi olla negatiivinen apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Aseta Yhtiö DocType: Purchase Order Item,Billed Amt,"Laskutettu, pankkipääte" @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Suurin Assessment Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Päivitä tilitapahtumien päivämäärät apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Ajanseuranta +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE Eläinkuljettajan DocType: Fiscal Year Company,Fiscal Year Company,Yrityksen tilikausi DocType: Packing Slip Item,DN Detail,DN lisätiedot DocType: Training Event,Conference,Konferenssi @@ -674,8 +678,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 +320,Timesheet created:,Tuntilomake luotu: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -704,7 +708,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 +139,Finish,Suorittaa loppuun +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Suorittaa loppuun apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,pohja DocType: Timesheet,Total Billed Hours,Yhteensä laskutusasteesta DocType: Journal Entry,Write Off Amount,Poiston arvo @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Myyjä kaupunki ,Absent Student Report,Absent Student Report DocType: Email Digest,Next email will be sent on:,Seuraava sähköpostiviesti lähetetään: DocType: Offer Letter Term,Offer Letter Term,Työtarjouksen ehto -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,tuotteella on useampia malleja +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,tuotteella on useampia malleja apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Nimikettä {0} ei löydy DocType: Bin,Stock Value,varastoarvo apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Yritys {0} ei ole olemassa @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Luo tuntilomake +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ DocType: Company,Default Cost of Goods Sold Account,oletus myytyjen tuotteiden a apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Hinnasto ei valittu DocType: Employee,Family Background,Perhetausta DocType: Request for Quotation Supplier,Send Email,Lähetä sähköposti -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varoitus: Virheellinen liite {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ei oikeuksia +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Varoitus: Virheellinen liite {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Ei oikeuksia 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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ä @@ -852,7 +856,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 +274,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 +275,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 @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} tulee olla aktiivinen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Sarjanumero {0} ei kuulu tuotteelle {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Sarjanumero {0} ei kuulu tuotteelle {1} DocType: Purchase Receipt Item Supplied,Required Qty,vaadittu yksikkömäärä apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Varastoissa nykyisten tapahtumaa ei voida muuntaa kirjanpitoon. DocType: Bank Reconciliation,Total Amount,Yhteensä @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponentit apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Syötä Asset Luokka momentille {0} DocType: Quality Inspection Reading,Reading 6,Lukema 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ei voi {0} {1} {2} ilman negatiivista maksamatta laskun +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Ei voi {0} {1} {2} ilman negatiivista maksamatta laskun DocType: Purchase Invoice Advance,Purchase Invoice Advance,"Ostolasku, edistynyt" DocType: Hub Settings,Sync Now,synkronoi nyt apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},rivi {0}: kredit kirjausta ei voi kohdistaa {1} @@ -978,12 +982,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 +731,New Sales Invoice,Uusi myyntilasku +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Synkronointi Offline Laskut +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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ä @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,kemiallinen DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Oletus Bank / rahatililleen automaattisesti päivitetään Palkka Päiväkirjakirjaus kun tämä tila on valittuna. DocType: BOM,Raw Material Cost(Company Currency),Raaka-ainekustannukset (Company valuutta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,kaikki tavarat on jo siirretty tuotantotilaukseen +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 +270,Meter,metri +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,Anna Account for Change Summa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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ä @@ -1048,7 +1052,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 +259,Qty for {0},Yksikkömäärään {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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" @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,kassa- / pankkitili apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Määritä {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Poistettu kohteita ei muutu määrän tai arvon. DocType: Delivery Note,Delivery To,Toimitus vastaanottajalle -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Taito pöytä on pakollinen +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Taito pöytä on pakollinen DocType: Production Planning Tool,Get Sales Orders,hae myyntitilaukset -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ei voi olla negatiivinen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ei voi olla negatiivinen apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,alennus DocType: Asset,Total Number of Depreciations,Poistojen kokonaismäärä DocType: Sales Invoice Item,Rate With Margin,Hinta kanssa marginaali @@ -1098,7 +1102,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 +1546,ZIP Code,Postinumero +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1116,7 +1120,7 @@ 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 +238,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 +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/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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Aseta 'Käytä lisäalennusta " +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 DocType: Global Defaults,Global Defaults,yleiset oletusasetukset @@ -1148,10 +1152,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 +22,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 +23,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 +347,Capacity Planning Error,kapasiteetin suunnittelu virhe +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,kapasiteetin suunnittelu virhe ,Trial Balance for Party,Alustava tase osapuolelle DocType: Lead,Consultant,konsultti DocType: Salary Slip,Earnings,ansiot @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,on palautus apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} oikea sarjanumero (nos) tuotteelle {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} oikea sarjanumero (nos) tuotteelle {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,sarjanumeron tuotekoodia ei voi vaihtaa apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profiili {0} on jo luotu käyttäjälle: {1} ja yritykselle {2} DocType: Sales Invoice Item,UOM Conversion Factor,Mittayksikön muuntokerroin @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',tuotteen kustannuspaikka tuotekoodilla -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1221,7 +1225,7 @@ 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,Näytä tilikirja 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Tuote {0} ei voi olla erä @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,Esimerkki: Masters Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Myyntitilaus {0} ei ole kelvollinen +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/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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Aiheen alue apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,sopimus DocType: Email Digest,Add Quote,Lisää Lainaus -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Mittayksikön muuntokerroin vaaditaan yksikölle {0} tuotteessa: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Mittayksikön muuntokerroin vaaditaan yksikölle {0} tuotteessa: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Tarjotut tuotteet ja/tai palvelut +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 DocType: Mode of Payment,Mode of Payment,maksutapa -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Tämä on kantatuoteryhmä eikä sitä voi muokata @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,lähetettä {0} ei ole lähetetty +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/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" 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Tuotannon tilauksen tila on {0} DocType: Appraisal Goal,Goal,tavoite DocType: Sales Invoice Item,Edit Description,Muokkaa Kuvaus ,Team Updates,Team päivitykset @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapsi varasto olemassa tähän varastoon. Et voi poistaa tätä varasto. DocType: Item,Website Item Groups,Tuoteryhmien verkkosivu DocType: Purchase Invoice,Total (Company Currency),Yhteensä (yrityksen valuutta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Sarjanumero {0} kirjattu useammin kuin kerran +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 +78,{0} items in progress,{0} kohdetta käynnissä +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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ä @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1405,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,Toimitusosoitteen nimi apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,tilikartta DocType: Material Request,Terms and Conditions Content,Ehdot ja säännöt sisältö apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ei voi olla suurempi kuin 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Nimike {0} ei ole varastonimike +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Nimike {0} ei ole varastonimike DocType: Maintenance Visit,Unscheduled,Aikatauluttamaton DocType: Employee,Owned,Omistuksessa DocType: Salary Detail,Depends on Leave Without Pay,riippuu poistumisesta ilman palkkaa @@ -1444,7 +1446,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 +273,We buy this Item,Ostamme tätä tuotetta +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1455,7 +1457,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 +266,Sub Assemblies,alikokoonpanot +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,alikokoonpanot DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,tehtävä Paino DocType: Shipping Rule Condition,To Value,Arvoon @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,tietuetta ei löydy maksutaulukosta apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Tämä {0} on ristiriidassa {1} ja {2} {3} DocType: Student Attendance Tool,Students HTML,opiskelijat HTML DocType: POS Profile,Apply Discount,Käytä alennus -DocType: Purchase Invoice Item,GST HSN Code,GST HSN Koodi +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 +283,Packing Slip(s) cancelled,Pakkauslaput peruttu @@ -1536,8 +1538,8 @@ 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 +2573,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,pl +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 +873,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" @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,lyhennystapa DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jos valittu, kotisivun tulee oletuksena Item ryhmän verkkosivuilla" DocType: Quality Inspection Reading,Reading 4,Lukema 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Oletus BOM on {0} ei löytynyt Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Yrityksen maksettaviksi vaaditut kulut 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,uusi tehtävä apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,tee tarjous apps/erpnext/erpnext/config/selling.py +216,Other Reports,Muut raportit DocType: Dependent Task,Dependent Task,riippuvainen tehtävä -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},muuntokerroin oletus mittayksikkön tulee olla 1 rivillä {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},muuntokerroin oletus mittayksikkön tulee olla 1 rivillä {0} 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} DocType: SMS Center,Receiver List,Vastaanotin List -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,haku Tuote +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,jo valmiiksi +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/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 +263,Quantity must not be more than {0},Määrä saa olla enintään {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Asiakas POS Id DocType: Account,Account Name,Tilin nimi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,alkaen päivä ei voi olla suurempi kuin päättymispäivä -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Sarjanumero {0} yksikkömäärä {1} ei voi olla murto-osa +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Sarjanumero {0} yksikkömäärä {1} ei voi olla murto-osa apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,toimittajatyypin valvonta DocType: Purchase Order Item,Supplier Part Number,toimittajan osanumero apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,muuntokerroin ei voi olla 0 tai 1 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Ajoneuvon toimituspäivä +DocType: Purchase Order 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 DocType: Company,Default Payable Account,oletus maksettava tili apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Online-ostoskorin asetukset, kuten toimitustavat, hinnastot jne" @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,sisältää vapaap DocType: Sales Invoice,Packed Items,Pakatut tuotteet apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Takuuvaatimus sarjanumerolle DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","korvaa BOM kaikissa muissa BOM:ssa, jossa sitä käytetään, korvaa vanhan BOM linkin, päivittää kustannukset ja muodostaa uuden ""BOM tuote räjäytyksen"" tilaston uutena BOM:na" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Yhteensä' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Yhteensä' DocType: Shopping Cart Settings,Enable Shopping Cart,aktivoi ostoskori DocType: Employee,Permanent Address,Pysyvä osoite apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Painoarvo +DocType: Sales 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" @@ -1720,7 +1723,7 @@ DocType: Purchase Invoice,Notification Email Address,sähköpostiosoite ilmoituk ,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 +699,Offline,Poissa +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Tärkein apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Malli DocType: Naming Series,Set prefix for numbering series on your transactions,Aseta sarjojen numeroinnin etuliite tapahtumiin DocType: Employee Attendance Tool,Employees HTML,Työntekijät HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle 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 @@ -1749,7 +1752,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 +175,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 +173,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 @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,Sarjanumerot ja Erät apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Opiskelijaryhmän Vahvuus apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,päiväkirjaan kohdistus {0} ei täsmäämättömiä {1} kirjauksia apps/erpnext/erpnext/config/hr.py +137,Appraisals,Kehityskeskustelut -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},monista tuotteelle kirjattu sarjanumero {0} +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. @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} tulee lähettää +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Maksu @@ -1785,12 +1788,12 @@ 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 +257,"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 +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" 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: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,uusi koriin +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,hae tuotteet ostokuiteista DocType: Serial No,Creation Date,tekopäivä apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Nimike {0} on useampaan kertaan hinnastossa hinnastossa {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",Myynnin tulee olla täpättynä mikäli saatavilla {0} on valittu +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",Myynnin tulee olla täpättynä mikäli saatavilla {0} on valittu DocType: Production Plan Material Request,Material Request Date,Materiaali Request Date DocType: Purchase Order Item,Supplier Quotation Item,Toimituskykytiedustelun tuote DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Poistaa luominen Aika Lokit vastaan toimeksiantoja. Toimia ei seurata vastaan Tuotantotilaus @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,Tavara- tai palvelutoimittaja DocType: Budget,Fiscal Year,Tilikausi DocType: Vehicle Log,Fuel Price,polttoaineen hinta DocType: Budget,Budget,budjetti -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Käyttö- omaisuuserän oltava ei-varastotuote. +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 +209,e.g. 5,"esim, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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" @@ -1846,7 +1849,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,"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 +263,A Product or Service,tavara tai palvelu +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pari +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pari apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Todellinen Lopetuspäivä (via kellokortti) 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 +160,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 +342,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili +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 DocType: Shipping Rule Condition,Shipping Amount,Toimituskustannus arvomäärä -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Lisää Asiakkaat +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,saatava tilit ,Supplier-Wise Sales Analytics,Toimittajakohtainen myyntianalytiikka apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Anna maksettu summa DocType: Salary Structure,Select employees for current Salary Structure,Valitse työntekijöitä nykyistä Palkkarakenne +DocType: Sales Invoice,Company Address Name,Yrityksen Osoite Nimi DocType: Production Order,Use Multi-Level BOM,Käytä sisäkkäistä materiaaliluetteloa 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)" @@ -1977,7 +1981,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 +269,Unit,Yksikkö +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -1998,7 +2002,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,määrä ero @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,asiakkaiden luokittelu alueittain apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Ero määrä on nolla DocType: Project,Gross Margin,bruttokate -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Syötä ensin tuotantotuote +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 +748,Quotation,Tarjous @@ -2019,7 +2023,7 @@ 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 DocType: Opportunity,Customer / Lead Address,Asiakkaan / Liidin osoite -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varoitus: Liitteen {0} SSL-varmenne ei kelpaa +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Varoitus: Liitteen {0} SSL-varmenne ei kelpaa DocType: Student Admission,Eligibility,kelpoisuus apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",Liidien avulla liiketoimintaasi ja kontaktiesi määrä kasvaa ja niistä syntyy uusia mahdollisuuksia DocType: Production Order Operation,Actual Operation Time,todellinen toiminta-aika @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,laske yhteispisteet DocType: Request for Quotation,Manufacturing Manager,Valmistuksen hallinta apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Sarjanumerolla {0} on takuu {1} asti apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,jaa lähete pakkauksien kesken -apps/erpnext/erpnext/hooks.py +87,Shipments,Toimitukset +apps/erpnext/erpnext/hooks.py +94,Shipments,Toimitukset DocType: Payment Entry,Total Allocated Amount (Company Currency),Yhteensä jaettava määrä (Company valuutta) DocType: Purchase Order Item,To be delivered to customer,Toimitetaan asiakkaalle DocType: BOM,Scrap Material Cost,Romu ainekustannukset -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Sarjanumero {0} ei kuulu mihinkään Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Sarjanumero {0} ei kuulu mihinkään Warehouse DocType: Purchase Invoice,In Words (Company Currency),sanat (yrityksen valuutta) DocType: Asset,Supplier,toimittaja DocType: C-Form,Quarter,Neljännes @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,Työntekijän lainatilin DocType: Leave Application,Total Leave Days,"Poistumisten yhteismäärä, päivät" DocType: Email Digest,Note: Email will not be sent to disabled users,huom: sähköpostia ei lähetetä käytöstä poistetuille käyttäjille apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Lukumäärä Vuorovaikutus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kohta Koodi> Tuote Group> Merkki 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 +408,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2102,7 +2105,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,kulukorvauksen lisätiedot -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Valitse oikea tili +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Kolminkertaisesti TOIMITTAJA +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Valitse oikea tili DocType: Item,Weight UOM,Painoyksikkö DocType: Salary Structure Employee,Salary Structure Employee,Palkka rakenne Työntekijän DocType: Employee,Blood Group,Veriryhmä @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Veloituksen tarvitaan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Maksamattomat yhte DocType: BOM Website Operation,BOM Website Operation,BOM-sivuston Käyttö apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Työtarjous apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,muodosta materiaalipyymtö (MRP) ja tuotantotilaus -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,"Kokonaislaskutus, pankkipääte" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,"Kokonaislaskutus, pankkipääte" DocType: BOM,Conversion Rate,Muuntokurssi apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tuotehaku DocType: Timesheet Detail,To Time,Aikaan @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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ä -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sarjanumerot tarvitaan Tuotteelle {1}. Olet antanut {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sarjanumerot tarvitaan Tuotteelle {1}. Olet antanut {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,nykyinen arvostus DocType: Item,Customer Item Codes,asiakkaan tuotekoodit apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange voitto / tappio @@ -2198,7 +2202,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 +2454,Select Batch No,Valitse Erä +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,Salli Käyttäjät DocType: Purchase Order,Customer Mobile No,Matkapuhelin DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,seuraa tavaran erillisiä tuloja ja kuluja toimialoittain tai osastoittain DocType: Rename Tool,Rename Tool,Nimeä työkalu -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Päivitä kustannukset +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 +438,Show Salary Slip,Näytä Palkka Slip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,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 +741,Select change amount account,Valitse muutoksen suuruuden tili +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,lisää veroja +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,Ostokuitti No apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,aikaisintaan raha DocType: Process Payroll,Create Salary Slip,Tee palkkalaskelma apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,jäljitettävyys +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC Koodi 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ä @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,Jatko DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,huoltoaikataulu lisätiedot DocType: Quality Inspection Reading,Reading 9,Lukema 9 DocType: Supplier,Is Frozen,on jäädytetty -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Ryhmä solmu varasto ei saa valita liiketoimien +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Ryhmä solmu varasto ei saa valita liiketoimien DocType: Buying Settings,Buying Settings,ostotoiminnan asetukset DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nro valmiille tuotteelle DocType: Upload Attendance,Attendance To Date,osallistuminen päivään @@ -2289,13 +2294,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,"hintaa ei voi muuttaa, jos BOM liitetty johonkin tuotteeseen" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Syötä suunniteltu yksikkömäärä tuotteelle {0} rivillä {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,Valtuutettu Arvo DocType: BOM,Show Operations,Näytä Operations ,Minutes to First Response for Opportunity,Minuutin First Response Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,"Yhteensä, puuttua" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,tuote tai varastorivi {0} ei täsmää materiaalipyynnön kanssa +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,tuote tai varastorivi {0} ei täsmää materiaalipyynnön kanssa apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mittayksikkö DocType: Fiscal Year,Year End Date,Vuoden viimeinen päivä DocType: Task Depends On,Task Depends On,Tehtävä riippuu @@ -2388,7 +2393,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 +106,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 +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/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 @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Viite +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Viite DocType: Budget,Cost Center,kustannuspaikka apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Tosite # DocType: Notification Control,Purchase Order Message,Ostotilaus Message @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,Task Täydennys apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Not in Stock DocType: Appraisal,HR User,henkilöstön käyttäjä DocType: Purchase Invoice,Taxes and Charges Deducted,Netto ilman veroja ja kuluja -apps/erpnext/erpnext/hooks.py +116,Issues,aiheet +apps/erpnext/erpnext/hooks.py +124,Issues,aiheet apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},tilan tulee olla yksi {0}:sta DocType: Sales Invoice,Debit To,debet kirjaus kohteeseen DocType: Delivery Note,Required only for sample item.,vain demoerä on pyydetty @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Alue apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vierailujen määrä vaaditaan DocType: Stock Settings,Default Valuation Method,oletus arvomenetelmä +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Maksu DocType: Vehicle Log,Fuel Qty,polttoaineen määrä DocType: Production Order Operation,Planned Start Time,Suunniteltu aloitusaika DocType: Course,Assessment,Arviointi @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,Tarjous {0} on peruttu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,odottava arvomäärä yhteensä +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,kaikki myyntitapahtumat voidaan kohdistaa useammalle ** myyjälle ** tavoitteiden asettamiseen ja seurantaan ,S.O. No.,Myyntitilaus nro -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Luo asiakkuus vihjeestä {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Luo asiakkuus vihjeestä {0} DocType: Price List,Applicable for Countries,Sovelletaan Maat apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Vain Jätä Sovellukset tilassa 'Hyväksytty' ja 'Hylätty "voi jättää apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Opiskelija Ryhmän nimi on pakollinen rivin {0} @@ -2601,6 +2607,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/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ä @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,materiaalisiirto tuotanto 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.,"alennusprosenttia voi soveltaa yhteen, tai useampaan hinnastoon" DocType: Purchase Invoice,Half-yearly,puolivuosittain apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,kirjanpidon varaston kirjaus +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Olet jo arvioitu arviointikriteerit {}. DocType: Vehicle Service,Engine Oil,Moottoriöljy -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä setup Työntekijän nimijärjestelmään Human Resource> HR Asetukset DocType: Sales Invoice,Sales Team1,Myyntitiimi 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,tuotetta {0} ei ole olemassa DocType: Sales Invoice,Customer Address,Asiakkaan osoite @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"juridinen hlö / tytäryhtiö, jolla on erillinen tilikartta kuuluu organisaatioon" DocType: Payment Request,Mute Email,Mute Sähköposti apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Ruoka, Juoma ja Tupakka" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,provisio taso ei voi olla suurempi kuin 100 DocType: Stock Entry,Subcontract,alihankinta apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Kirjoita {0} ensimmäisen @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Kuukauden Läsnäolo Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},työntekijällä {0} on jo {1} hakemus {2} ja {3} välilltä apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekti aloituspäivä -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Asti +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Asti DocType: Rename Tool,Rename Log,Nimeä Loki apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Opiskelijaryhmän tai kurssin aikataulu on pakollinen DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Ylläpidä Laskutus Tuntia ja työaika sama Tuntilomakkeen @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,Palautetut Kpl DocType: Employee,Exit,poistu apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,kantatyyppi vaaditaan DocType: BOM,Total Cost(Company Currency),Kokonaiskustannukset (Company valuutta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Sarjanumeron on luonut {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Sarjanumeron on luonut {0} DocType: Homepage,Company Description for website homepage,Verkkosivuston etusivulle sijoitettava yrityksen kuvaus DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",voit tulostaa nämä koodit tulostusmuodoissa asiakirjoihin kuten laskut ja lähetteet asiakkaiden työn helpottamiseksi apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,Tekstiviesti reititin URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurssin aikataulut poistettu: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Lokit ylläpitämiseksi sms toimituksen tila DocType: Accounts Settings,Make Payment via Journal Entry,Tee Maksu Päiväkirjakirjaus -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,painettu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,painettu DocType: Item,Inspection Required before Delivery,Tarkastus Pakollinen ennen Delivery DocType: Item,Inspection Required before Purchase,Tarkastus Pakollinen ennen Purchase apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Odottaa Aktiviteetit @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Er apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Raja ylitetty apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Pääomasijoitus 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.,Lukukaudessa tällä "Lukuvuosi {0} ja" Term Name '{1} on jo olemassa. Ole hyvä ja muokata näitä merkintöjä ja yritä uudelleen. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Koska on olemassa nykyisiä tapahtumia vastaan kohde {0}, et voi muuttaa arvoa {1}" +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}","Koska on olemassa nykyisiä tapahtumia vastaan kohde {0}, et voi muuttaa arvoa {1}" DocType: UOM,Must be Whole Number,täytyy olla kokonaisluku DocType: Leave Control Panel,New Leaves Allocated (In Days),uusi poistumisten kohdennus (päiviä) +DocType: Sales Invoice,Invoice Copy,laskukopion apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Sarjanumeroa {0} ei ole olemassa DocType: Sales Invoice Item,Customer Warehouse (Optional),Asiakkaan Warehouse (valinnainen) DocType: Pricing Rule,Discount Percentage,alennusprosentti @@ -2823,8 +2831,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto lähellä Issue 7 p 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,jäädytä varaston kirjaukset +DocType: Program Enrollment,Boarding Student,lennolle Student DocType: Asset,Expected Value After Useful Life,Odotusarvo jälkeen käyttöiän DocType: Item,Reorder level based on Warehouse,Varastoon perustuva täydennystilaustaso DocType: Activity Cost,Billing Rate,Laskutus taso @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,Takuun / huollon lisätiedot apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Valitse opiskelijat manuaalisesti Toiminto perustuu ryhmän DocType: Journal Entry,User Remark,Käyttäjä huomautus DocType: Lead,Market Segment,Market Segment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Maksettu summa ei voi olla suurempi kuin koko negatiivinen jäljellä {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Maksettu summa ei voi olla suurempi kuin koko negatiivinen jäljellä {0} DocType: Employee Internal Work History,Employee Internal Work History,työntekijän sisäinen työhistoria apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),sulku (dr) DocType: Cheque Print Template,Cheque Size,Shekki Koko -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Sarjanumero {0} ei varastossa +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Sarjanumero {0} ei varastossa apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Veromallipohja myyntitapahtumiin DocType: Sales Invoice,Write Off Outstanding Amount,Poiston odottava arvomäärä apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Tilin {0} ei vastaa yhtiön {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,Lisää muutama esimerkkitietue +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2893,17 +2903,17 @@ 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},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 +418,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Sarjanumero ja erä DocType: Warranty Claim,From Company,yrityksestä -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa Kymmeniä Arviointikriteerit on oltava {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summa Kymmeniä Arviointikriteerit on oltava {0}. 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 +270,Minute,Minuutti +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,pankin tilinylitystili apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Tee palkkalaskelma apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rivi # {0}: osuutensa ei voi olla suurempi kuin lainamäärä. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,selaa BOM:a +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,selaa BOM:a apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Taatut lainat DocType: Purchase Invoice,Edit Posting Date and Time,Edit julkaisupäivä ja aika apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Aseta poistot liittyvät tilien instrumenttikohtaisilla {0} tai Company {1} @@ -2939,7 +2949,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 +278,Select Quantity,Valitse yksikkömäärä +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},ei ole sallittua päivittää yli {0} vanhoja varastotapahtumia DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,täysin laskutettu +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Toimittaja> toimittaja tyyppi 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 +127,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)" @@ -2999,8 +3010,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Kustannuslaskenta arvomä 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 DocType: Customs Tariff Number,Tariff Number,tariffi numero +DocType: Production Order Item,Available Qty at WIP Warehouse,Available Kpl WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Ennuste -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Sarjanumero {0} ei kuulu varastoon {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Sarjanumero {0} ei kuulu varastoon {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,huom: järjestelmä ei tarkista ylitoimitusta tai tuotteen ylivarausta {0} yksikkömääränä tai arvomäärän ollessa 0 DocType: Notification Control,Quotation Message,Tarjouksen viesti DocType: Employee Loan,Employee Loan Application,Työntekijän lainahakemuksen @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,"Kohdistetut kustannukset, arvomäärä" apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Laskut esille Toimittajat. DocType: POS Profile,Write Off Account,Poistotili -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Veloitusilmoituksen Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Veloitusilmoituksen Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,alennus arvomäärä DocType: Purchase Invoice,Return Against Purchase Invoice,"ostolasku, palautuksen kohdistus" 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 +207,e.g. VAT,"esim, alv" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3032,7 +3044,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 +1945,Please select customer,Valitse asiakas +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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ä" @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,osoitetiedot apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Osapuoli on pakollinen DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Aihe Name -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Ainakin yksi tai myyminen ostaminen on valittava +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Ainakin yksi tai myyminen ostaminen on valittava apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Valitse liiketoiminnan luonteesta. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rivi # {0}: Monista merkintä Viitteet {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Missä valmistus tapahtuu @@ -3070,7 +3082,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,min yksikkömäärä ei voi olla suurempi kuin max yksikkömää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ä DocType: Account,Accumulated Depreciation,Kertyneet poistot DocType: Stock Entry,Customer or Supplier Details,Asiakkaan tai tavarantoimittajan Tietoja DocType: Employee Loan Application,Required by Date,Vaaditaan Date @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Tuote ostotil apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Yrityksen nimeä ei voi Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Tulosteotsakkeet mallineille apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tulostus, mallipohjan otsikot esim, proformalaskuun" +DocType: Program Enrollment,Walking,Kävely DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Arvotyypin maksuja ei voi merkata sisältyviksi DocType: POS Profile,Update Stock,Päivitä varasto -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Toimittaja> toimittaja tyyppi apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erilaiset mittayksiköt voivat johtaa virheellisiin (kokonais) painoarvoihin. Varmista, että joka kohdassa käytetään samaa mittayksikköä." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM taso DocType: Asset,Journal Entry for Scrap,Journal Entry for Romu @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Näytä vero hajottua apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,oletus kassatili apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,yrityksen valvonta (ei asiakas tai toimittaja) 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 +176,No Students in,Ei opiskelijat +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 +108,Please enter 'Expected Delivery Date',Anna "Expected Delivery Date" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Virheellinen GSTIN tai Enter NA Rekisteröimätön +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),panostus (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,huom: maksukirjausta ei synny sillä 'kassa- tai pankkitiliä' ei ole määritetty apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Vastuut DocType: Expense Claim Account,Expense Claim Account,Matkakorvauslomakkeet Account +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Nimeäminen Series {0} Setup> Asetukset> nimeäminen Series DocType: Sales Person,Sales Person Name,Myyjän nimi apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Syötä taulukkoon vähintään yksi lasku +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Lisää käyttäjiä DocType: POS Item Group,Item Group,Tuoteryhmä DocType: Item,Safety Stock,Varmuusvarasto apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% tehtävään ei voi olla enemmän kuin 100. DocType: Stock Reconciliation Item,Before reconciliation,Ennen täsmäytystä apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}:lle DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Lisätyt verot ja maksut (yrityksen valuutassa) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"tuotteen vero, rivi {0} veron tyyppi tulee määritellä (tulo, kulu, veloitettava)" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"tuotteen vero, rivi {0} veron tyyppi tulee määritellä (tulo, kulu, veloitettava)" DocType: Sales Order,Partly Billed,Osittain Laskutetaan apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Kohta {0} on oltava käyttö- omaisuuserän DocType: Item,Default BOM,oletus BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Veloitusilmoituksen Määrä +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Veloitusilmoituksen Määrä apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Kirjoita yrityksen nimi uudelleen vahvistukseksi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,"odottaa, pankkipääte yhteensä" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,"odottaa, pankkipääte yhteensä" DocType: Journal Entry,Printing Settings,Tulostusasetukset DocType: Sales Invoice,Include Payment (POS),Sisältävät maksut (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Debet yhteensä tulee olla sama kuin kredit yhteensä, ero on {0}" @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Vakuutusyhtiö DocType: Asset Category Account,Fixed Asset Account,Kiinteä tasetilille apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Muuttuja -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,lähetteestä +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,lähetteestä DocType: Student,Student Email Address,Student Sähköpostiosoite DocType: Timesheet Detail,From Time,ajasta apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Varastossa: DocType: Notification Control,Custom Message,oma viesti apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,sijoitukset pankki apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,kassa tai pankkitili vaaditaan maksujen kirjaukseen -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä setup numerointi sarjan läsnäolevaksi Setup> numerointi Series apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Osoite 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 +1517,Address Name,Osoite Nimi +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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ä @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Anna-arvon on oltava positiivinen +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,Suorita palkanlaskenta apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Tässä kuussa ei ole lomapäiviä työpäivinä DocType: Product Bundle Item,Product Bundle Item,Koostetuote DocType: Sales Partner,Sales Partner Name,Myyntikumppani nimi -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Pyyntö Lainaukset +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Pyyntö Lainaukset DocType: Payment Reconciliation,Maximum Invoice Amount,Suurin Laskun summa DocType: Student Language,Student Language,Student Kieli apps/erpnext/erpnext/config/selling.py +23,Customers,asiakkaat @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,Osittain poistoja DocType: Issue,Opening Time,Aukeamisaika apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,alkaen- ja päätyen päivä vaaditaan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Arvopaperit & hyödykkeet vaihto -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Oletus mittayksikkö Variant "{0}" on oltava sama kuin malli "{1}" +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 +847,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,Raaka-aine +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Aukiolopäivä pitäisi olla ennen Tarjouksentekijä -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Nimeäminen Series {0} Setup> Asetukset> nimeäminen Series 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 @@ -3330,8 +3341,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Sarjanumero edelyttää sarjoitettua tuotetta {0} +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/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 DocType: Journal Entry,Bank Entry,pankkikirjaus DocType: Authorization Rule,Applicable To (Designation),sovellettavissa (nimi) @@ -3348,7 +3359,7 @@ 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 +270,Hour,tunti +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,Myyntipiste +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3373,8 +3384,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 +270,Gram,Gramma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0. +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/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öä" @@ -3399,14 +3410,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 +465,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 +466,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 +834,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 +835,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ä @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Laskutus valtion @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Verkkosivun kotisivun asetukset 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 +214,Invalid attribute {0} {1},Virheellinen määrite {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Valitse arvioinnin muu ryhmä kuin "Kaikki arviointi Ryhmien @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Palkanosat DocType: Program Enrollment Tool,New Academic Year,Uusi Lukuvuosi apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Tuotto / hyvityslasku DocType: Stock Settings,Auto insert Price List rate if missing,"Automaattinen käynnistys Hinnasto korolla, jos puuttuu" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,maksettu arvomäärä yhteensä +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,maksettu arvomäärä yhteensä DocType: Production Order Item,Transferred Qty,siirretty yksikkömäärä apps/erpnext/erpnext/config/learn.py +11,Navigating,Liikkuminen apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Suunnittelu 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 +272,We sell this Item,Myymme tätä tuotetta +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3640,7 +3653,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 +1186,Please set Company,Aseta Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3656,13 +3669,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,"sanat 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},viivakoodi {0} on jo käytössä tuotteella {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},viivakoodi {0} on jo käytössä tuotteella {1} DocType: Lead,Add to calendar on this date,lisää kalenteriin (tämä päivä) apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,toimituskustannusten lisäys säännöt DocType: Item,Opening Stock,Aloitusvarasto apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,asiakasta velvoitetaan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} on pakollinen palautukseen DocType: Purchase Order,To Receive,Vastaanottoon +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Henkilökohtainen sähköposti apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,vaihtelu yhteensä DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Mikäli käytössä, järjestelmä tekee varastokirjanpidon tilikirjaukset automaattisesti." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Out of Takuu DocType: BOM Replace Tool,Replace,Vaihda apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ei löytynyt tuotteita. -DocType: Production Order,Unstopped,Aukenevat apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} myyntilaskua vastaan {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Projektin nimi @@ -3692,6 +3705,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} 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 @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Alkaen Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Syntaksivirhe kaavassa tai tila: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Päivittäinen työ Yhteenveto Asetukset Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Nimike {0} ohitetaan sillä se ei ole varastotuote +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 +40,Submit this Production Order for further processing.,lähetä tuotannon tilaus eteenpäin +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/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 @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),aste (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Aseta Yritysfiltteri tyhjäksi jos Ryhmittelyperuste on 'yritys' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Kirjoittamisen päivämäärä ei voi olla tulevaisuudessa apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Rivi # {0}: Sarjanumero {1} ei vastaa {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,tavallinen poistuminen @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Varastokirjanpidon tilikirjaus apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,"tuotteella {0} ei ole määritettyä sarjanumeroa, sarake on tyhjä" +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ä" DocType: Accounts Settings,Accounts Settings,tilien asetukset apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Hyväksyä DocType: Customer,Sales Partner and Commission,Myynti Partner ja komission @@ -3787,7 +3803,7 @@ 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 +62,{0} items produced,{0} nimikettä valmistettu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3801,7 +3817,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Kuluvaatimus yhteensä (ku 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} DocType: Journal Entry Account,Exchange Rate,Valuuttakurssi -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Myyntitilausta {0} ei ole lähetetty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3826,18 +3842,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Toimitettu tilauksia ei voi poistaa +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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ä DocType: Employee Loan,Repay Fixed Amount per Period,Repay kiinteä määrä Period apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Kirjoita kpl määrä tuotteelle {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Hyvityslaskun Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Hyvityslaskun Amt DocType: Employee External Work History,Employee External Work History,työntekijän muu työkokemus DocType: Tax Rule,Purchase,Osto apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,taseyksikkömäärä @@ -3862,7 +3878,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 +2383,Select items to save the invoice,Valitse kohteita tallentaa laskun +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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ö @@ -3893,6 +3909,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,kynnys DocType: BOM Replace Tool,Current BOM,nykyinen BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,lisää sarjanumero +DocType: Production Order Item,Available Qty at Source Warehouse,Available Kpl lähdeverolakia Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Takuu DocType: Purchase Invoice,Debit Note Issued,Debit Note Annettu DocType: Production Order,Warehouses,Varastot @@ -3908,13 +3925,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,maksettu summa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektihallinta ,Quoted Item Comparison,Noteeratut Kohta Vertailu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,lähetys -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max alennus sallittua item: {0} on {1}% +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 +279,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 +879,Select Items to Manufacture,Valitse tuotteet Valmistus -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa" +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" DocType: Item,Material Issue,materiaali aihe DocType: Hub Settings,Seller Description,Myyjän kuvaus DocType: Employee Education,Qualification,Pätevyys @@ -3938,7 +3955,7 @@ DocType: POS Profile,Terms and Conditions,Ehdot ja säännöt 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 +200,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 +198,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 @@ -3958,7 +3975,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Asettaaksesi tämän tilikaudenoletukseksi, klikkaa ""aseta oletukseksi""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Liittyä seuraan apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Yksikkömäärä vähissä -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia DocType: Employee Loan,Repay from Salary,Maksaa maasta Palkka DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Maksupyynnön vastaan {0} {1} määräksi {2} @@ -3976,18 +3993,18 @@ 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 +1011,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Sarjanumero {0} on jo saapunut +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Sarjanumero {0} on jo saapunut ,Requested Items To Be Transferred,siirrettävät pyydetyt tuotteet 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 +1312,Delete permanently?,poista pysyvästi? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Virheellinen {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Virheellinen {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sairaspoistuminen DocType: Email Digest,Email Digest,sähköpostitiedote DocType: Delivery Note,Billing Address Name,Laskutus osoitteen nimi @@ -4000,6 +4017,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,veloitettava DocType: Company,Change Abbreviation,muuta lyhennettä DocType: Expense Claim Detail,Expense Date,"kulu, päivä" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kohta Koodi> Tuote Group> Merkki DocType: Item,Max Discount (%),Max Alennus (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Viimeisen tilauksen arvo DocType: Task,Is Milestone,on Milestone @@ -4023,8 +4041,8 @@ DocType: Program Enrollment Tool,New Program,uusi ohjelma DocType: Item Attribute Value,Attribute Value,"tuntomerkki, arvo" ,Itemwise Recommended Reorder Level,Tuotekohtainen suositeltu täydennystilaustaso DocType: Salary Detail,Salary Detail,Palkka Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Ole hyvä ja valitse {0} Ensimmäinen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Erä {0} tuotteesta {1} on vanhentunut. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Ole hyvä ja valitse {0} Ensimmäinen +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Erä {0} tuotteesta {1} on vanhentunut. DocType: Sales Invoice,Commission,provisio apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Valmistuksen tuntilista apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Välisumma @@ -4049,12 +4067,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 +399,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 +394,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 +387,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 +382,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ä @@ -4084,7 +4102,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,hävittäminen Date DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Sähköpostit lähetetään kaikille aktiivinen Yrityksen työntekijät on tietyn tunnin, jos heillä ei ole loma. Yhteenveto vastauksista lähetetään keskiyöllä." DocType: Employee Leave Approver,Employee Leave Approver,työntekijän poistumis hyväksyjä -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ei voida vahvistaa hävityksi, sillä tarjous on tehty" 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ä @@ -4117,6 +4135,7 @@ DocType: Announcement,Student,Opiskelija apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,"organisaatioyksikkö, osasto valvonta" apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Anna kelvollinen matkapuhelinnumero apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Anna viestin ennen lähettämistä +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE TOIMITTAJILLE DocType: Email Digest,Pending Quotations,Odottaa Lainaukset apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profile apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,päivitä teksiviestiasetukset @@ -4125,7 +4144,7 @@ DocType: Cost Center,Cost Center Name,kustannuspaikan nimi DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Tuntilomakkeella hyväksyttyjen työtuntien enimmäismäärä DocType: Maintenance Schedule Detail,Scheduled Date,"Aikataulutettu, päivä" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,maksettu yhteensä +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,maksettu yhteensä DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Viestit yli 160 merkkiä jaetaan useita viestejä DocType: Purchase Receipt Item,Received and Accepted,Saanut ja hyväksynyt ,GST Itemised Sales Register,GST Eritelty Sales Register @@ -4135,7 +4154,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 +237,Your Suppliers,omat toimittajat +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Ei voi vähentää, kun kategoria on "arvostus" tai "Vaulation ja Total"" @@ -4147,7 +4166,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Sivsuton kuvaa {0} kohteelle {1} ei löydy +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. @@ -4162,7 +4181,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Mitä tämä apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Varastoon apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Kaikki Opiskelijavalinta ,Average Commission Rate,keskimääräinen provisio -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,Varastoimattoman nimikkeen 'Sarjanumeroitu' -arvo ei voi olla 'kyllä' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,Varastoimattoman nimikkeen 'Sarjanumeroitu' -arvo ei voi olla 'kyllä' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,osallistumisia ei voi merkitä tuleville päiville DocType: Pricing Rule,Pricing Rule Help,"Hinnoittelusääntö, ohjeet" DocType: School House,House Name,Talon nimi @@ -4178,7 +4197,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 +339,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 +340,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ä @@ -4193,20 +4212,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Palkka Slip työntekijöiden {0} on jo luotu kellokortti {1} DocType: Vehicle Log,Odometer,Matkamittari DocType: Sales Order Item,Ordered Qty,tilattu yksikkömäärä -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Nimike {0} on poistettu käytöstä +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Tuota palkkalaskelmat -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",osto tulee täpätä mikälisovellus on valittu {0}:na +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",osto tulee täpätä mikälisovellus on valittu {0}:na apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,alennus on oltava alle 100 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 +500,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,"Kohdistetut kustannukset, tosite" @@ -4265,7 +4284,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,odotettu päivä ei voi olla ennen materiaalipyynnön päiväystä DocType: Purchase Invoice Item,Stock Qty,Stock kpl -DocType: Production Order,Source Warehouse (for reserving Items),Source Varasto (varaamista Items) DocType: Employee Loan,Repayment Period in Months,Takaisinmaksuaika kuukausina apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,virhe: tunnus ei ole kelvollinen DocType: Naming Series,Update Series Number,Päivitä sarjanumerot @@ -4313,7 +4331,7 @@ DocType: Production Order,Planned End Date,Suunniteltu päättymispäivä apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Missä tuotteet varastoidaan DocType: Request for Quotation,Supplier Detail,Toimittaja Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Virhe kaavassa tai tila: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,laskutettu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,laskutettu DocType: Attendance,Attendance,osallistuminen apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,varastosta löytyvät DocType: BOM,Materials,materiaalit @@ -4353,10 +4371,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Asennus yksinkertainen sivusto organisaatiolleni +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0} DocType: Item,Default Warehouse,oletus varasto apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},budjettia ei voi nimetä ryhmätiliin {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Syötä pääkustannuspaikka @@ -4415,7 +4433,7 @@ 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 +1344,Select or add new customer,Valitse tai lisätä uuden asiakkaan +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/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 @@ -4423,6 +4441,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä setup Työntekijän nimijärjestelmään Human Resource> HR Asetukset 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 +231,{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ä @@ -4445,7 +4464,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Lukema 3 ,Hub,hubi DocType: GL Entry,Voucher Type,Tositetyyppi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,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 +1731,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""" @@ -4465,7 +4484,7 @@ DocType: POS Profile,Account for Change Amount,Tili Change Summa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rivi {0}: Party / Tili ei vastaa {1} / {2} ja {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Syötä kulutili DocType: Account,Stock,Varasto -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi Ostotilaus, Ostolasku tai Päiväkirjakirjaus" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi Ostotilaus, Ostolasku tai Päiväkirjakirjaus" DocType: Employee,Current Address,nykyinen osoite DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","mikäli tuote on toisen tuotteen malli tulee tuotteen kuvaus, kuva, hinnoittelu, verot ja muut tiedot oletuksena mallipohjasta ellei oletusta ole erikseen poistettu" DocType: Serial No,Purchase / Manufacture Details,Oston/valmistuksen lisätiedot @@ -4503,11 +4522,12 @@ DocType: Student,Home Address,Kotiosoite apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,siirto Asset DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Tapahtuman nimi -apps/erpnext/erpnext/config/schools.py +39,Admission,sisäänpääsy +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,sisäänpääsy apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Teatterikatsojamääriin {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Nimike {0} on mallipohja, valitse yksi sen variaatioista" DocType: Asset,Asset Category,Asset Luokka +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Ostaja apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettomaksu ei voi olla negatiivinen DocType: SMS Settings,Static Parameters,staattinen parametri DocType: Assessment Plan,Room,Huone @@ -4516,6 +4536,7 @@ DocType: Item,Item Tax,Tuotteen vero apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiaalin Toimittaja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Asiakas> Asiakaspalvelu Group> Territory DocType: Expense Claim,Employees Email Id,työntekijän sähköpostiosoite DocType: Employee Attendance Tool,Marked Attendance,Merkitty Läsnäolo apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,lyhytaikaiset vastattavat @@ -4587,6 +4608,7 @@ DocType: Leave Type,Is Carry Forward,siirretääkö apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Yhteenveto diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv index 03aacef360..161f4cfedd 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Liste de Vacances -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Comptable +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Comptable DocType: Cost Center,Stock User,Chargé des Stocks DocType: Company,Phone No,N° de Téléphone apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Horaires des Cours créés: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Non autorisé pour {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obtenir les articles de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +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/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 +131,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 +1673,Not items found,Pas d'objets trouvés +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Rapports de Stock DocType: Warehouse,Warehouse Detail,Détail de l'Entrepôt apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},La limite de crédit a été franchie pour le client {0} {1}/{2} 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.,La Date de Fin de Terme ne peut pas être postérieure à la Date de Fin de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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 +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/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 @@ -160,14 +161,13 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Du {0} au {1} DocType: Item,Copy From Item Group,Copier Depuis un Groupe d'Articles DocType: Journal Entry,Opening Entry,Écriture d'Ouverture -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Client Group> Territoire apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Compte Bénéficiaire Seulement DocType: Employee Loan,Repay Over Number of Periods,Rembourser Sur le Nombre de Périodes DocType: Stock Entry,Additional Costs,Frais Supplémentaires apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe DocType: Lead,Product Enquiry,Demande d'Information Produit DocType: Academic Term,Schools,Écoles -DocType: School Settings,Validate Batch for Students in Student Group,Valider le lot pour les étudiants en groupe étudiant +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é @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Immobilier -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Relevé de Compte +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 DocType: Purchase Invoice Item,Is Fixed Asset,Est Immobilisation apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Qté disponible est {0}, vous avez besoin de {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consommable +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,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},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 +143,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 +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 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 +302,Example: Basic Mathematics,Exemple : Mathématiques de Base +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/config/hr.py +214,Settings for HR Module,Réglages pour le Module RH DocType: SMS Center,SMS Center,Centre des SMS @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Articles et Prix apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Nombre total d'heures : {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},La Date Initiale doit être dans l'Exercice Fiscal. En supposant Date Initiale = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citations DocType: Customer,Individual,Individuel DocType: Interest,Academics User,Utilisateur académique DocType: Cheque Print Template,Amount In Figure,Montant En Chiffre @@ -265,7 +266,7 @@ DocType: Employee,Create User,Créer un Utilisateur DocType: Selling Settings,Default Territory,Région par Défaut apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Télévision DocType: Production Order Operation,Updated via 'Time Log',Mis à jour via 'Journal du Temps' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Montant de l'avance ne peut être supérieur à {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Montant de l'avance ne peut être supérieur à {0} {1} DocType: Naming Series,Series List for this Transaction,Liste des Séries pour cette Transaction DocType: Company,Enable Perpetual Inventory,Autoriser l'Inventaire Perpétuel DocType: Company,Default Payroll Payable Account,Compte de Paie par Défaut @@ -273,7 +274,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 +177,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 +175,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." @@ -281,13 +282,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 +2256,"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 +2350,"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 +228,Contact Name,Nom du Contact +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,La Date de Relève doit être postérieure à la Date d’Embauche apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Congés par Année 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 +189,Warehouse {0} does not belong to company {1},L'entrepôt {0} n'appartient pas à la société {1} +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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é -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Écritures Bancaires apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Annuel DocType: Stock Reconciliation Item,Stock Reconciliation Item,Article de Réconciliation du Stock @@ -315,7 +316,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 +316,People who teach at your organisation,Personnes qui enseignent dans votre organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Autoriser l'utilisateur à modifier 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 +699,Item {0} is cancelled,Article {0} est annulé +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 +882,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 @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Gestionnaire de Flotte apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} est entré deux fois dans la Taxe de l'Article +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} est entré deux fois dans la Taxe de l'Article apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Résumé de la semaine et des activités en suspens DocType: Student Applicant,Admitted,Admis DocType: Workstation,Rent Cost,Coût de la Location @@ -417,12 +418,12 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Reçu apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Créer des Groupes d'Étudiants apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuration déjà terminée ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Montant de la Note de Crédit +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Montant de la Note de Crédit ,Finished Goods,Produits Finis DocType: Delivery Note,Instructions,Instructions DocType: Quality Inspection,Inspected By,Inspecté Par DocType: Maintenance Visit,Maintenance Type,Type d'Entretien -apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} n'est pas inscrit dans le cours {2} +apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} n'est pas inscrit dans le Cours {2} apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},N° de Série {0} ne fait pas partie du Bon de Livraison {1} apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,Demo ERPNext apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Ajouter des Articles @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Créer un nouveau Client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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/utilities/activation.py +88,Create Purchase Orders,Créer des Commandes d'Achat ,Purchase Register,Registre des Achats DocType: Course Scheduling Tool,Rechedule,Replanifier @@ -469,7 +471,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 +330,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 +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/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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné à plusieurs reprises dans le Tableau des Attributs +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné à plusieurs reprises dans le Tableau des Attributs DocType: HR Settings,Employee record is created using selected field. ,Le dossier de l'employé est créé en utilisant le champ sélectionné. DocType: Sales Order,Not Applicable,Non Applicable apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Données de Base des Vacances @@ -524,7 +526,7 @@ 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Veuillez entrer l’Entrepôt pour lequel une Demande de Matériel sera faite DocType: Production Order,Additional Operating Cost,Coût d'Exploitation Supplémentaires apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Produits de Beauté -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Pour fusionner, les propriétés suivantes doivent être les mêmes pour les deux articles" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Pour fusionner, les propriétés suivantes doivent être les mêmes pour les deux articles" DocType: Shipping Rule,Net Weight,Poids Net DocType: Employee,Emergency Phone,Téléphone d'Urgence apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Acheter @@ -547,7 +549,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 +2428,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 +2522,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 @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et Charges DocType: Purchase Invoice,Supplier Invoice No,N° de Facture du Fournisseur DocType: Territory,For reference,Pour référence -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Impossible de supprimer les N° de série {0}, s'ils sont dans les mouvements de stock" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Impossible de supprimer les N° de série {0}, s'ils sont dans les mouvements de stock" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Fermeture (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Déplacer l'Article DocType: Serial No,Warranty Period (Days),Période de Garantie (Jours) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Veuillez d’abord sélectionner une Société et le Type de la Partie apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Exercice comptable / financier apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valeurs Accumulées -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Désolé, les N° de Série ne peut pas être fusionnés" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Désolé, les N° de Série ne peut pas être fusionnés" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Créer une Commande Client DocType: Project Task,Project Task,Tâche du Projet ,Lead Id,Id du Prospect @@ -607,6 +609,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 +780,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 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. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de données C DocType: Quotation,Quotation To,Devis Pour DocType: Lead,Middle Income,Revenu Intermédiaire apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Ouverture (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,L’Unité de Mesure par Défaut pour l’Article {0} ne peut pas être modifiée directement parce que vous avez déjà fait une (des) transaction (s) avec une autre unité de mesure. Vous devez créer un nouvel article pour utiliser une UDM par défaut différente. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,L’Unité de Mesure par Défaut pour l’Article {0} ne peut pas être modifiée directement parce que vous avez déjà fait une (des) transaction (s) avec une autre unité de mesure. Vous devez créer un nouvel article pour utiliser une UDM par défaut différente. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Le montant alloué ne peut être négatif apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Veuillez définir la Société DocType: Purchase Order Item,Billed Amt,Mnt Facturé @@ -636,6 +639,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: 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 @@ -675,8 +679,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 +320,Timesheet created:,Feuille de Temps créée : -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,Terminer +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Terminer apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Base DocType: Timesheet,Total Billed Hours,Total des Heures Facturées DocType: Journal Entry,Write Off Amount,Montant de la Reprise @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Ville du Vendeur ,Absent Student Report,Rapport des Absences DocType: Email Digest,Next email will be sent on:,Le prochain Email sera envoyé le : DocType: Offer Letter Term,Offer Letter Term,Terme de la Lettre de Proposition -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,L'article a des variantes. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,L'article a des variantes. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Article {0} introuvable DocType: Bin,Stock Value,Valeur du Stock apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Société {0} n'existe pas @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Créer une Feuille de Temps +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -848,13 +852,13 @@ DocType: Company,Default Cost of Goods Sold Account,Compte de Coûts des Marchan 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 DocType: Request for Quotation Supplier,Send Email,Envoyer un Email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Attention : Pièce jointe non valide {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Aucune Autorisation +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Attention : Pièce jointe non valide {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Aucune Autorisation 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 +269,Nos,N° +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -873,7 +877,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 +274,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 +275,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 @@ -894,7 +898,7 @@ apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Horair DocType: Maintenance Visit,Completion Status,État d'Achèvement DocType: HR Settings,Enter retirement age in years,Entrez l'âge de la retraite en années apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Entrepôt Cible -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Sélectionnez un entrepôt +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Veuillez sélectionner un entrepôt DocType: Cheque Print Template,Starting location from left edge,Position initiale depuis bord gauche DocType: Item,Allow over delivery or receipt upto this percent,Autoriser le dépassement des capacités livraison ou de réception jusqu'à ce pourcentage DocType: Stock Entry,STE-,STE- @@ -915,7 +919,7 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Ou apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Ouvrir To Do DocType: Notification Control,Delivery Note Message,Message du Bon de Livraison DocType: Expense Claim,Expenses,Charges -,Support Hours,Heures de soutien +,Support Hours,Heures de Support DocType: Item Variant Attribute,Item Variant Attribute,Attribut de Variante de l'Article ,Purchase Receipt Trends,Tendances des Reçus d'Achats DocType: Process Payroll,Bimonthly,Bimensuel @@ -961,14 +965,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,LDM {0} doit être active +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},N° de Série {0} n'appartient pas à l'Article {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},N° de Série {0} n'appartient pas à l'Article {1} DocType: Purchase Receipt Item Supplied,Required Qty,Qté Requise apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en livre. DocType: Bank Reconciliation,Total Amount,Montant Total @@ -985,7 +989,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Composants apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Veuillez entrer une Catégorie d'Actif dans la rubrique {0} DocType: Quality Inspection Reading,Reading 6,Lecture 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} sans aucune facture impayée négative +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} sans aucune facture impayée négative DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avance sur Facture d’Achat DocType: Hub Settings,Sync Now,Synchroniser Maintenant apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ligne {0} : L’Écriture de crédit ne peut pas être liée à un {1} @@ -999,12 +1003,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 +731,New Sales Invoice,Nouvelle Facture de Vente +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Synchroniser les Factures hors-ligne +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1037,9 +1041,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chimique DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Le compte par défaut de Banque / Caisse sera automatiquement mis à jour dans l’écriture de Journal de Salaire lorsque ce mode est sélectionné. 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 +733,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/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 +270,Meter,Mètre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1061,7 +1065,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 +452,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 +453,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 @@ -1069,7 +1073,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 +259,Qty for {0},Qté pour {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1081,9 +1085,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Compte Caisse/Banque apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Veuillez spécifier un {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Les articles avec aucune modification de quantité ou de valeur ont étés retirés. DocType: Delivery Note,Delivery To,Livraison à -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Table d'Attribut est obligatoire +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Table d'Attribut est obligatoire DocType: Production Planning Tool,Get Sales Orders,Obtenir les Commandes Client -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne peut pas être négatif +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne peut pas être négatif apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Remise DocType: Asset,Total Number of Depreciations,Nombre Total d’Amortissements DocType: Sales Invoice Item,Rate With Margin,Tarif Avec Marge @@ -1119,7 +1123,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 +1546,ZIP Code,Code Postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1137,7 +1141,7 @@ 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 +238,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 +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/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 @@ -1161,7 +1165,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Veuillez définir ‘Appliquer Réduction Supplémentaire Sur ‘ +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 DocType: Global Defaults,Global Defaults,Valeurs par Défaut Globales @@ -1169,10 +1173,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 +22,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 +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} 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 +347,Capacity Planning Error,Erreur de Planification de Capacité +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1191,7 +1195,7 @@ DocType: Purchase Invoice,Is Return,Est un Retour apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} numéro de série valide pour l'objet {1} +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} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Code de l'Article ne peut pas être modifié pour le Numéro de Série apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},Profil PDV {0} déjà créé pour l'utilisateur : {1} et la société {2} DocType: Sales Invoice Item,UOM Conversion Factor,Facteur de Conversion de l'UDM @@ -1201,7 +1205,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 +675,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 +2389,"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 +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. 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" @@ -1242,7 +1246,7 @@ 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,Voir Grand Livre 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'Article {0} ne peut être en Lot @@ -1270,7 +1274,7 @@ 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 +288,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1281,7 +1285,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Commande Client {0} invalide +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1299,14 +1303,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Lieu d'Émission apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contrat DocType: Email Digest,Add Quote,Ajouter une Citation -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion UDM requis pour l'UDM : {0} dans l'Article : {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion UDM requis pour l'UDM : {0} dans l'Article : {1} 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 +736,Sync Master Data,Sync Données de Base -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vos Produits ou Services +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 DocType: Mode of Payment,Mode of Payment,Mode de Paiement -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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 DocType: Purchase Invoice Item,BOM,LDM (Liste de Matériaux) apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Il s’agit d’un groupe d'élément racine qui ne peut être modifié. @@ -1323,14 +1327,13 @@ 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 +562,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Le Statut de l'Ordre de Production est {0} DocType: Appraisal Goal,Goal,Objectif DocType: Sales Invoice Item,Edit Description,Modifier la description ,Team Updates,Mises à Jour de l’Équipe @@ -1346,14 +1349,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt enfant existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt. 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 +177,Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois +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 +78,{0} items in progress,{0} articles en cours +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1} +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} 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 @@ -1397,7 +1400,7 @@ DocType: Purchase Invoice Item,UOM,UDM DocType: Rename Tool,Utilities,Utilitaires DocType: Purchase Invoice Item,Accounting,Comptabilité DocType: Employee,EMP/,EMP/ -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Veuillez sélectionner les lots pour les lots +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Veuillez sélectionner les lots pour les articles en lots DocType: Asset,Depreciation Schedules,Calendriers d'Amortissement apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,La période de la demande ne peut pas être hors de la période d'allocation de congé DocType: Activity Cost,Projects,Projets @@ -1411,7 +1414,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1426,7 @@ 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 +260,Max: {0},Max : {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1434,7 +1436,7 @@ DocType: Sales Invoice,Shipping Address Name,Nom de l'Adresse de Livraison apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plan Comptable DocType: Material Request,Terms and Conditions Content,Contenu des Termes et Conditions apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne peut pas être supérieure à 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Article {0} n'est pas un article stocké +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Article {0} n'est pas un article stocké DocType: Maintenance Visit,Unscheduled,Non programmé DocType: Employee,Owned,Détenu DocType: Salary Detail,Depends on Leave Without Pay,Dépend de Congé Non Payé @@ -1465,7 +1467,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 +273,We buy this Item,Nous achetons cet Article +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,Sous-Ensembles +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1494,7 +1496,7 @@ DocType: Item,Sales Details,Détails Ventes DocType: Quality Inspection,QI-,QI- DocType: Opportunity,With Items,Avec Articles apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,En Qté -DocType: School Settings,Validate Enrolled Course for Students in Student Group,Valider le cours inscrit pour les étudiants en groupe étudiant +DocType: School Settings,Validate Enrolled Course for Students in Student Group,Valider le Cours Inscrit pour les Étudiants en Groupe Étudiant DocType: Notification Control,Expense Claim Rejected,Note de Frais Rejetée DocType: Item,Item Attribute,Attribut de l'Article apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Gouvernement @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Aucun enregistrement trouvé dans la table Paiement apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ce {0} est en conflit avec {1} pour {2} {3} DocType: Student Attendance Tool,Students HTML,HTML Étudiants DocType: POS Profile,Apply Discount,Appliquer Réduction -DocType: Purchase Invoice Item,GST HSN Code,Code GST HSN +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 +283,Packing Slip(s) cancelled,Bordereau(x) de Colis annulé(s) @@ -1557,8 +1559,8 @@ 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 +2573,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 +269,Box,Boîte +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Méthode de Remboursement DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si cochée, la page d'Accueil pour le site sera le Groupe d'Article par défaut" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},LDM par défaut pour {0} introuvable pour le Projet {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Notes de frais de la société 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nouvelle tâche apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Faire un Devis apps/erpnext/erpnext/config/selling.py +216,Other Reports,Autres Rapports DocType: Dependent Task,Dependent Task,Tâche Dépendante -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Facteur de conversion de l'Unité de Mesure par défaut doit être 1 dans la ligne {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Facteur de conversion de l'Unité de Mesure par défaut doit être 1 dans la ligne {0} 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} DocType: SMS Center,Receiver List,Liste de Destinataires -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Rechercher Article +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Déjà terminé +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,ID PDV du Client DocType: Account,Account Name,Nom du Compte apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,La Date Initiale ne peut pas être postérieure à la Date Finale -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,N° de série {0} quantité {1} ne peut pas être une fraction +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,N° de série {0} quantité {1} ne peut pas être une fraction apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Type de Fournisseur principal DocType: Purchase Order Item,Supplier Part Number,Numéro de Pièce du Fournisseur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Le taux de conversion ne peut pas être égal à 0 ou 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Date d'Envoi du Véhicule +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Compte Créditeur par Défaut apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Réglages pour panier telles que les règles de livraison, liste de prix, etc." @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Inclure les vacance DocType: Sales Invoice,Packed Items,Articles Emballés apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Réclamation de Garantie pour le N° de Série. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Remplacer une LDM particulière dans tous les autres LDMs où elle est utilisée. Elle remplacera le lien vers l’ancienne LDM, mettra à jour les coûts et régénérera la table ""LDM - Article Explosé""" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Activer Panier DocType: Employee,Permanent Address,Adresse Permanente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Poids +DocType: Sales Invoice,Tax Breakup,Répartition des impôts 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" @@ -1741,7 +1744,7 @@ DocType: Purchase Invoice,Notification Email Address,Adresse Email de Notificati ,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 +699,Offline,Hors Ligne +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante DocType: Naming Series,Set prefix for numbering series on your transactions,Définir le préfixe des séries numérotées pour vos transactions DocType: Employee Attendance Tool,Employees HTML,Employés HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle 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 @@ -1770,7 +1773,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 +175,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 +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/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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,N° de Série et Lots apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Force du Groupe d'Étudiant apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,L'Écriture de Journal {0} n'a pas d'entrée non associée {1} apps/erpnext/erpnext/config/hr.py +137,Appraisals,Évaluation -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dupliquer N° de Série pour l'Article {0} +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" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,LDM {0} doit être soumise +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Paiement @@ -1806,12 +1809,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Mouvement d'Actif -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nouveau Panier +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir des Articles à partir des Reçus d'Achat DocType: Serial No,Creation Date,Date de Création apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},L'article {0} apparaît plusieurs fois dans la Liste de Prix {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Vente doit être vérifiée, si ""Applicable pour"" est sélectionné comme {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Vente doit être vérifiée, si ""Applicable pour"" est sélectionné comme {0}" DocType: Production Plan Material Request,Material Request Date,Date de la Demande de Matériel DocType: Purchase Order Item,Supplier Quotation Item,Article Devis Fournisseur DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Désactive la création de registres de temps pour les Ordres de Fabrication. Le suivi des Opérations ne nécessite pas d’Ordres de Fabrication @@ -1853,12 +1856,12 @@ DocType: Supplier,Supplier of Goods or Services.,Fournisseur de Biens ou Service DocType: Budget,Fiscal Year,Exercice Fiscal DocType: Vehicle Log,Fuel Price,Prix du Carburant DocType: Budget,Budget,Budget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Un Article Immobilisé doit être un élément non stocké. +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 +209,e.g. 5,e.g. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1867,7 +1870,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,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 +263,A Product or Service,Un Produit ou Service +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Paire +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Paire apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Date de Fin Réelle (via la Feuille de Temps) 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 +160,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 +342,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur +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 DocType: Shipping Rule Condition,Shipping Amount,Montant de la Livraison -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Ajouter des clients +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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é @@ -1980,6 +1983,7 @@ 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: 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)" @@ -1999,7 +2003,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 +269,Unit,Unité +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,Différence de Montant @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Classification des Clients par région apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,L’Écart de Montant doit être égal à zéro DocType: Project,Gross Margin,Marge Brute -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Veuillez d’abord entrer l'Article en Production +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 +748,Quotation,Devis @@ -2041,7 +2045,7 @@ 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**. DocType: Opportunity,Customer / Lead Address,Adresse du Client / Prospect -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Attention : certificat SSL non valide sur la pièce jointe {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Attention : certificat SSL non valide sur la pièce jointe {0} DocType: Student Admission,Eligibility,Admissibilité apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Les prospects vous aident à obtenir des contrats, ajoutez tous vos contacts et plus dans votre liste de prospects" DocType: Production Order Operation,Actual Operation Time,Temps d'Exploitation Réel @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Calculer le Résultat Total DocType: Request for Quotation,Manufacturing Manager,Responsable Fabrication apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},N° de Série {0} est sous garantie jusqu'au {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Séparer le Bon de Livraison dans des paquets. -apps/erpnext/erpnext/hooks.py +87,Shipments,Livraisons +apps/erpnext/erpnext/hooks.py +94,Shipments,Livraisons DocType: Payment Entry,Total Allocated Amount (Company Currency),Montant Total Alloué (Devise Société) DocType: Purchase Order Item,To be delivered to customer,À livrer à la clientèle DocType: BOM,Scrap Material Cost,Coût de Mise au Rebut des Matériaux -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,N° de Série {0} ne fait partie de aucun Entrepôt +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,N° de Série {0} ne fait partie de aucun Entrepôt DocType: Purchase Invoice,In Words (Company Currency),En Toutes Lettres (Devise Société) DocType: Asset,Supplier,Fournisseur DocType: C-Form,Quarter,Trimestre @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Compte de Prêt d'un Employé DocType: Leave Application,Total Leave Days,Total des Jours de Congé DocType: Email Digest,Note: Email will not be sent to disabled users,Remarque : Email ne sera pas envoyé aux utilisateurs désactivés apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Nombre d'Interactions -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code de l'article> Groupe d'articles> Marque 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 +408,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2124,7 +2127,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Détail Note de Frais -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Veuillez sélectionner un compte correct +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICAT POUR LE FOURNISSEUR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Veuillez sélectionner un compte correct DocType: Item,Weight UOM,UDM de Poids DocType: Salary Structure Employee,Salary Structure Employee,Grille des Salaires des Employés DocType: Employee,Blood Group,Groupe Sanguin @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,Tuteurs 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 +336,Debit To is required,Compte de Débit Requis +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total des Impayés DocType: BOM Website Operation,BOM Website Operation,Opération de LDM du Site Internet apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Lettre de Proposition apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Générer des Demandes de Matériel (MRP) et des Ordres de Fabrication. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Mnt Total Facturé +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Mnt Total Facturé DocType: BOM,Conversion Rate,Taux de Conversion apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Recherche de Produit DocType: Timesheet Detail,To Time,Horaire de Fin @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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é -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numéros de Série requis pour objet {1}. Vous en avez fourni {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numéros de Série requis pour objet {1}. Vous en avez fourni {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Taux de Valorisation Actuel DocType: Item,Customer Item Codes,Codes Articles du Client apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Profits / Pertes sur Change @@ -2220,7 +2224,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 +2454,Select Batch No,Sélectionnez le N° de Lot +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,Autoriser les Utilisateurs DocType: Purchase Order,Customer Mobile No,N° de Portable du Client DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Suivre séparément les Produits et Charges pour les gammes de produits. DocType: Rename Tool,Rename Tool,Outil de Renommage -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Mettre à jour le Coût +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 +438,Show Salary Slip,Afficher la Fiche de Salaire apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,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 +741,Select change amount account,Sélectionner le compte de change +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Ajouter des Taxes +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2267,10 +2271,11 @@ DocType: Stock Entry,Purchase Receipt No,N° du Reçu d'Achat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Arrhes DocType: Process Payroll,Create Salary Slip,Créer une Fiche de Paie apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traçabilité +DocType: Purchase Invoice Item,HSN/SAC Code,Code HSN / SAC 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 +221,Select Batch,Sélectionnez le lot +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,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 @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,Post-Diplômé DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Détails de l'Échéancier d'Entretien DocType: Quality Inspection Reading,Reading 9,Lecture 9 DocType: Supplier,Is Frozen,Est Gelé -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Un noeud de groupe d'entrepôt ne peut pas être sélectionné pour les transactions +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Un noeud de groupe d'entrepôt ne peut pas être sélectionné pour les transactions DocType: Buying Settings,Buying Settings,Réglages d'Achat DocType: Stock Entry Detail,BOM No. for a Finished Good Item,N° d’Article Produit Fini LDM DocType: Upload Attendance,Attendance To Date,Présence Jusqu'à @@ -2311,13 +2316,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,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 +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é apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Veuillez entrer la Qté Planifiée pour l'Article {0} à la ligne {1} @@ -2339,7 +2344,7 @@ DocType: Authorization Rule,Authorized Value,Valeur Autorisée DocType: BOM,Show Operations,Afficher Opérations ,Minutes to First Response for Opportunity,Minutes avant la Première Réponse à une Opportunité apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total des Absences -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,L'Article ou l'Entrepôt pour la ligne {0} ne correspond pas avec la Requête de Matériel +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,L'Article ou l'Entrepôt pour la ligne {0} ne correspond pas avec la Requête de Matériel apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unité de Mesure DocType: Fiscal Year,Year End Date,Date de Fin de l'Exercice DocType: Task Depends On,Task Depends On,Tâche Dépend De @@ -2430,7 +2435,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 +106,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 +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/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 @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible" +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/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 +20,Ref,Réf +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Réf DocType: Budget,Cost Center,Centre de Coûts apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Référence # DocType: Notification Control,Purchase Order Message,Message du Bon de Commande @@ -2544,7 +2549,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 +1165,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 +1086,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 +773,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 @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,Achèvement de la Tâche apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,En Rupture de Stock DocType: Appraisal,HR User,Chargé RH DocType: Purchase Invoice,Taxes and Charges Deducted,Taxes et Frais Déductibles -apps/erpnext/erpnext/hooks.py +116,Issues,Questions +apps/erpnext/erpnext/hooks.py +124,Issues,Questions apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Le statut doit être l'un des {0} DocType: Sales Invoice,Debit To,Débit Pour DocType: Delivery Note,Required only for sample item.,Requis uniquement pour les échantillons. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Région apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Veuillez indiquer le nb de visites requises DocType: Stock Settings,Default Valuation Method,Méthode de Valorisation par Défaut +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Frais DocType: Vehicle Log,Fuel Qty,Qté Carburant DocType: Production Order Operation,Planned Start Time,Heure de Début Prévue DocType: Course,Assessment,Évaluation @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,Devis {0} est annulée -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Encours Total +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Toutes les Transactions de Vente peuvent être assignées à plusieurs **Commerciaux** pour configurer et surveiller les objectifs. ,S.O. No.,S.O. N°. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Veuillez créer un Client à partir du Prospect {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Veuillez créer un Client à partir du Prospect {0} DocType: Price List,Applicable for Countries,Applicable pour les Pays apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Seules les Demandes de Congés avec le statut 'Appouvée' ou 'Rejetée' peuvent être soumises apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Nom du Groupe d'Étudiant est obligatoire dans la ligne {0} @@ -2655,6 +2661,7 @@ 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/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û @@ -2667,7 +2674,7 @@ DocType: Account,Round Off,Arrondi ,Requested Qty,Qté Demandée DocType: Tax Rule,Use for Shopping Cart,Utiliser pour le Panier apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},La Valeur {0} pour l'Attribut {1} n'existe pas dans la liste des Valeurs d'Attribut d’Article valides pour l’Article {2} -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Sélectionnez les numéros de série +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Sélectionnez les Numéros de Série DocType: BOM Item,Scrap %,% de Rebut apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Les frais seront distribués proportionnellement à la qté ou au montant de l'article, selon votre sélection" DocType: Maintenance Visit,Purposes,Objets @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Transfert de Matériel po 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.,Pourcentage de Réduction peut être appliqué pour une liste de prix en particulier ou pour toutes les listes de prix. DocType: Purchase Invoice,Half-yearly,Semestriel apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Écriture Comptable pour Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Vous avez déjà évalué les critères d'évaluation {}. DocType: Vehicle Service,Engine Oil,Huile Moteur -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 d'employé dans Ressources humaines> Paramètres RH DocType: Sales Invoice,Sales Team1,Équipe des Ventes 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Article {0} n'existe pas DocType: Sales Invoice,Customer Address,Adresse du Client @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entité Juridique / Filiale avec un Plan de Comptes différent appartenant à l'Organisation. DocType: Payment Request,Mute Email,Email Silencieux apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentation, Boissons et Tabac" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Taux de commission ne peut pas être supérieure à 100 DocType: Stock Entry,Subcontract,Sous-traiter apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Veuillez d’abord entrer {0} @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Feuille de Présence Mensuelle des Étudiants apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},L'employé {0} a déjà demandé {1} entre {2} et {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Date de Début du Projet -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Jusqu'à +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Jusqu'à DocType: Rename Tool,Rename Log,Journal des Renommages apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Le Ggroupe d'Étudiants ou le Calendrier des Cours est obligatoire DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Maintenir les Heures Facturables et les Heures de Travail sur la même Feuille de Temps @@ -2778,7 +2785,7 @@ DocType: Purchase Order Item,Returned Qty,Qté Retournée DocType: Employee,Exit,Quitter apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Le Type de Racine est obligatoire DocType: BOM,Total Cost(Company Currency),Coût Total (Devise Société) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,N° de Série {0} créé +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,N° de Série {0} créé DocType: Homepage,Company Description for website homepage,Description de la Société pour la page d'accueil du site web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pour la commodité des clients, ces codes peuvent être utilisés dans des formats d'impression comme les Factures et les Bons de Livraison" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nom du Fournisseur @@ -2798,11 +2805,11 @@ DocType: SMS Settings,SMS Gateway URL,URL de la Passerelle SMS apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Horaires des Cours supprimés : apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Journaux pour maintenir le statut de livraison des sms DocType: Accounts Settings,Make Payment via Journal Entry,Effectuer un Paiement par une Écriture de Journal -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Imprimé sur +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Imprimé sur DocType: Item,Inspection Required before Delivery,Inspection Requise avant Livraison DocType: Item,Inspection Required before Purchase,Inspection Requise avant Achat apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Activités en Attente -apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Ton organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Votre Organisation DocType: Fee Component,Fees Category,Catégorie d'Honoraires apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Veuillez entrer la date de relève. apps/erpnext/erpnext/controllers/trends.py +149,Amt,Nb @@ -2830,16 +2837,17 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Outil de Pr apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limite Dépassée apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital Risque 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.,Une période universitaire avec cette 'Année Universitaire' {0} et 'Nom de la Période' {1} existe déjà. Veuillez modifier ces entrées et essayer à nouveau. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"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}" +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 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 +289,Please select a batch,Sélectionnez un lot +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,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""" @@ -2877,8 +2885,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Fermer automatique les Q 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 +305,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: 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: 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 @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,Garantie / Détails AMC apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Sélectionner les élèves manuellement pour un Groupe basé sur l'Activité DocType: Journal Entry,User Remark,Remarque de l'Utilisateur DocType: Lead,Market Segment,Part de Marché -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Le Montant Payé ne peut pas être supérieur au montant impayé restant {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Le Montant Payé ne peut pas être supérieur au montant impayé restant {0} DocType: Employee Internal Work History,Employee Internal Work History,Antécédents Professionnels Interne de l'Employé apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Fermeture (Dr) DocType: Cheque Print Template,Cheque Size,Taille du Chèque -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,N° de Série {0} n'est pas en stock +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,N° de Série {0} n'est pas en stock apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Modèle de taxe pour les opérations de vente. DocType: Sales Invoice,Write Off Outstanding Amount,Encours de Reprise apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Le Compte {0} ne correspond pas à la Société {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,Ajouter quelque exemple d'entrées +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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é @@ -2947,17 +2957,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,N° de Série et lot DocType: Warranty Claim,From Company,De la Société -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Somme des Scores de Critères d'Évaluation doit être {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Somme des Scores de Critères d'Évaluation doit être {0}. 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 +270,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Compte de Découvert Bancaire apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Créer une Fiche de Paie apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ligne # {0}: montant attribué ne peut pas être supérieur au montant en souffrance. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Parcourir la LDM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Parcourir la LDM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Prêts Garantis DocType: Purchase Invoice,Edit Posting Date and Time,Modifier la Date et l'Heure de la Publication apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Veuillez définir le Compte relatif aux Amortissements dans la Catégorie d’Actifs {0} ou la Société {1} @@ -2993,7 +3003,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 +278,Select Quantity,Sélectionner Quantité +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Non autorisé à mettre à jour les transactions du stock antérieures à {0} DocType: Purchase Invoice Item,PR Detail,Détail PR DocType: Sales Order,Fully Billed,Entièrement Facturé +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fournisseur> Type de fournisseur 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Montant Total des Coûts ( 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 apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projeté -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,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/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 DocType: Notification Control,Quotation Message,Message du Devis DocType: Employee Loan,Employee Loan Application,Demande de Prêt d'un Employé @@ -3072,13 +3084,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montant de la Référence de Coût au Débarquement apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Factures émises par des Fournisseurs. DocType: POS Profile,Write Off Account,Compte de Reprise -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Mnt de la Note de Débit +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Mnt de la Note de Débit apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Remise DocType: Purchase Invoice,Return Against Purchase Invoice,Retour contre Facture d’Achat 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 +207,e.g. VAT,e.g. TVA +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3086,7 +3098,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 +1945,Please select customer,Veuillez sélectionner un client +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3115,7 +3127,7 @@ DocType: Lead,Address Desc,Adresse Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,La Partie est obligatoire DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Nom du Sujet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Au moins Vente ou Achat doit être sélectionné +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Au moins Vente ou Achat doit être sélectionné apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Sélectionner la nature de votre entreprise. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ligne # {0}: entrée en double dans les références {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Là où les opérations de fabrication sont réalisées. @@ -3124,7 +3136,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Qté Min ne peut pas être supérieure à Qté Max +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 DocType: Account,Accumulated Depreciation,Amortissement Cumulé DocType: Stock Entry,Customer or Supplier Details,Détails du Client ou du Fournisseur DocType: Employee Loan Application,Required by Date,Requis à cette Date @@ -3153,10 +3165,10 @@ 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: Student Guardian,Student Guardian,Tuteur d'Étudiant apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Frais de type valorisation ne peuvent pas être marqués comme inclus DocType: POS Profile,Update Stock,Mettre à Jour le Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fournisseur> Type de fournisseur apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Différentes UDM pour les articles conduira à un Poids Net (Total) incorrect . Assurez-vous que le Poids Net de chaque article a la même unité de mesure . apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Taux LDM DocType: Asset,Journal Entry for Scrap,Écriture de Journal pour la Mise au Rebut @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Afficher le détail des impôts apps/erpnext/erpnext/accounts/party.py +308,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é @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Compte de Caisse par Défaut apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Données de base de la Société (ni les Clients ni les Fournisseurs) 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 +176,No Students in,Aucun étudiant dans +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 +108,Please enter 'Expected Delivery Date',Veuillez entrer ‘Date de Livraison Prévue’ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN invalide ou Enter NA for Unregistered +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é 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,21 +3275,23 @@ DocType: Sales Team,Contribution (%),Contribution (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Remarque : Écriture de Paiement ne sera pas créée car le compte 'Compte Bancaire ou de Caisse' n'a pas été spécifié apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilités DocType: Expense Claim Account,Expense Claim Account,Compte de Note de Frais +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: Sales Person,Sales Person Name,Nom du Vendeur apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Veuillez entrer au moins 1 facture dans le tableau +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Ajouter des Utilisateurs DocType: POS Item Group,Item Group,Groupe d'Article DocType: Item,Safety Stock,Stock de Sécurité apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% de Progression pour une tâche ne peut pas être supérieur à 100. DocType: Stock Reconciliation Item,Before reconciliation,Avant la réconciliation apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},À {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Taxes et Frais Additionnels (Devise Société) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La Ligne de Taxe d'Article {0} doit indiquer un compte de type Taxes ou Produit ou Charge ou Facturable +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La Ligne de Taxe d'Article {0} doit indiquer un compte de type Taxes ou Produit ou Charge ou Facturable DocType: Sales Order,Partly Billed,Partiellement Facturé apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,L'article {0} doit être une Immobilisation DocType: Item,Default BOM,LDM par Défaut -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Montant de la Note de Débit +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Montant de la Note de Débit apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Veuillez saisir à nouveau le nom de la société pour confirmer -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Encours Total +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Encours Total DocType: Journal Entry,Printing Settings,Réglages d'Impression DocType: Sales Invoice,Include Payment (POS),Inclure Paiement (PDV) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Le Total du Débit doit être égal au Total du Crédit. La différence est de {0} @@ -3286,19 +3299,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Compagnie d'Assurance DocType: Asset Category Account,Fixed Asset Account,Compte d'Actif Immobilisé apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variable -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Du Bon de Livraison +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Du Bon de Livraison DocType: Student,Student Email Address,Adresse Email de l'Étudiant DocType: Timesheet Detail,From Time,Horaire de Début apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,En Stock : DocType: Notification Control,Custom Message,Message Personnalisé apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banque d'Investissement apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Espèces ou Compte Bancaire est obligatoire pour réaliser une écriture de paiement -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresse de l'Élève 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 +1517,Address Name,Nom de l'Adresse +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,La valeur entrée doit être positive +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,Processus de Paie apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Il y a plus de vacances que de jours travaillés ce mois-ci. DocType: Product Bundle Item,Product Bundle Item,Article d'un Ensemble de Produits DocType: Sales Partner,Sales Partner Name,Nom du Partenaire de Vente -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Appel d’Offres +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Appel d’Offres DocType: Payment Reconciliation,Maximum Invoice Amount,Montant Maximal de la Facture DocType: Student Language,Student Language,Langue des Étudiants apps/erpnext/erpnext/config/selling.py +23,Customers,Clients @@ -3342,7 +3354,7 @@ DocType: Asset,Partially Depreciated,Partiellement Déprécié DocType: Issue,Opening Time,Horaire d'Ouverture apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Les date Du et Au sont requises apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Bourses de Valeurs Mobilières et de Marchandises -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Fabriquer @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,Matières Premières +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -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: 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. @@ -3384,8 +3395,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},N° de Séries Requis pour Article Sérialisé {0} +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/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 DocType: Journal Entry,Bank Entry,Écriture Bancaire DocType: Authorization Rule,Applicable To (Designation),Applicable À (Désignation) @@ -3402,7 +3413,7 @@ 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 +270,Hour,Heure +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3412,9 +3423,9 @@ DocType: Item,Default Material Request Type,Type de Requête de Matériaux par D 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 +645,Point of Sale,Point de Vente +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Point de Vente DocType: Payment Entry,Received Amount,Montant Reçu -DocType: GST Settings,GSTIN Email Sent On,E-mail de GSTIN envoyé +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 DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Créer pour la quantité totale, en ignorant la quantité déjà commandée" DocType: Account,Tax,Taxe @@ -3427,8 +3438,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 +270,Gram,Gramme -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Quantité à Fabriquer doit être supérieur à 0. +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/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. @@ -3453,14 +3464,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 +465,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 +466,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 +834,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 +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 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 @@ -3492,7 +3503,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,État de la Facturation @@ -3539,10 +3550,10 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Réglages pour la page d'accueil du site 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 +214,Invalid attribute {0} {1},Attribut invalide {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Sélectionnez le groupe d'évaluation autre que «Tous les groupes d'évaluation» +apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Taux de Valorisation Négatif n'est pas autorisé @@ -3609,7 +3620,7 @@ apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Demandes de congé apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé DocType: Vehicle,Last Carbon Check,Dernière Vérification Carbone apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Frais Juridiques -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Sélectionnez la quantité sur la rangée +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Veuillez sélectionner la quantité sur la ligne DocType: Purchase Invoice,Posting Time,Heure de Publication DocType: Timesheet,% Amount Billed,% Montant Facturé apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Frais Téléphoniques @@ -3637,16 +3648,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Composantes Salariales DocType: Program Enrollment Tool,New Academic Year,Nouvelle Année Académique apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retour / Note de Crédit DocType: Stock Settings,Auto insert Price List rate if missing,Insertion automatique du taux de la Liste de Prix si manquante -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Montant Total Payé +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Montant Total Payé 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 DocType: Project,Total Billing Amount (via Time Logs),Montant Total de Facturation (via Journaux de Temps) -apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Nous vendons cet Article +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3694,7 +3707,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 +1186,Please set Company,Veuillez sélectionner une Société +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3710,13 +3723,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,En Tout 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Le Code Barre {0} est déjà utilisé dans l'article {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Le Code Barre {0} est déjà utilisé dans l'article {1} DocType: Lead,Add to calendar on this date,Ajouter cette date au calendrier apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Règles pour l'ajout de frais de port. DocType: Item,Opening Stock,Stock d'Ouverture apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Client est requis apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} est obligatoire pour un Retour DocType: Purchase Order,To Receive,À Recevoir +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,utilisateur@exemple.com DocType: Employee,Personal Email,Email Personnel apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variance Totale DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si activé, le système publiera automatiquement les écritures comptables pour l'inventaire." @@ -3727,7 +3741,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 +541,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 +542,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 @@ -3735,7 +3749,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Hors Garantie DocType: BOM Replace Tool,Replace,Remplacer apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Aucun Produit trouvé. -DocType: Production Order,Unstopped,Non Arrêté apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} pour la Facture de Vente {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nom du Projet @@ -3746,6 +3759,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} 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 @@ -3782,9 +3796,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Plage Initiale apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Erreur de syntaxe dans la formule ou condition : {0} 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 +100,Item {0} ignored since it is not a stock item,L'article {0} est ignoré puisqu'il n'est pas en stock +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 +40,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 +102,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 @@ -3792,12 +3806,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 +209,Rate (%),Taux (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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/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 @@ -3815,7 +3831,7 @@ DocType: Purchase Receipt,Return Against Purchase Receipt,Retour contre Reçu d' DocType: Request for Quotation Item,Request for Quotation Item,Article de l'Appel d'Offre DocType: Purchase Order,To Bill,À Facturer DocType: Material Request,% Ordered,% Commandé -DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Pour le groupe étudiant basé sur le cours, le cours sera validé pour chaque élève des cours inscrits dans l'inscription au programme." +DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Pour un groupe étudiant basé sur un cours, le cours sera validé pour chaque élève inscrit aux cours du programme." DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Entrer les Adresses Email séparées par des virgules, la facture sera envoyée automatiquement à une date précise" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Travail à la Pièce apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Moy. Taux d'achat @@ -3826,7 +3842,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Écriture du Livre d'Inventaire apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Paramètres des Comptes apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Approuver DocType: Customer,Sales Partner and Commission,Partenaire Commercial et Commission @@ -3841,7 +3857,7 @@ 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 +62,{0} items produced,{0} articles produits +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3849,13 +3865,13 @@ DocType: Production Order Operation,Production Order Operation,Opération d’Or 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 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/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} DocType: Journal Entry Account,Exchange Rate,Taux de Change -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise +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 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 @@ -3880,18 +3896,18 @@ 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 +705,Online,En Ligne +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés +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/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é DocType: Employee Loan,Repay Fixed Amount per Period,Rembourser un Montant Fixe par Période apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Veuillez entrer une quantité pour l'article {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Mnt de la Note de Crédit +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Mnt de la Note de Crédit DocType: Employee External Work History,Employee External Work History,Antécédents Professionnels de l'Employé DocType: Tax Rule,Purchase,Achat apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Solde de la Qté @@ -3916,7 +3932,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 +2383,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3946,6 +3962,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 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 @@ -3954,20 +3971,20 @@ apps/erpnext/erpnext/stock/doctype/item/item.js +66,This Item is a Variant of {0 DocType: Workstation,per hour,par heure apps/erpnext/erpnext/config/buying.py +7,Purchasing,Achat DocType: Announcement,Announcement,Annonce -DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pour le groupe étudiant basé sur le lot, le lot étudiant sera validé pour chaque élève de l'inscription au programme." +DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pour un groupe étudiant basé sur un lot, le lot étudiant sera validé pour chaque élève inscrit au programme." apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,L'entrepôt ne peut pas être supprimé car une écriture existe dans le Livre d'Inventaire pour cet entrepôt. DocType: Company,Distribution,Distribution apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Montant Payé apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Chef de Projet ,Quoted Item Comparison,Comparaison d'Article Soumis apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Envoi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Réduction max autorisée pour l'article : {0} est de {1} % +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 +279,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 +879,Select Items to Manufacture,Sélectionner les Articles à Fabriquer -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"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/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" DocType: Item,Material Issue,Sortie de Matériel DocType: Hub Settings,Seller Description,Description du Vendeur DocType: Employee Education,Qualification,Qualification @@ -3991,7 +4008,7 @@ DocType: POS Profile,Terms and Conditions,Termes et Conditions 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 +200,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 +198,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 @@ -4011,7 +4028,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Pour définir cet Exercice Fiscal par défaut, cliquez sur ""Définir par défaut""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Joindre apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Qté de Pénurie -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques DocType: Employee Loan,Repay from Salary,Rembourser avec le Salaire DocType: Leave Application,LAP/,LAP/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Demande de Paiement pour {0} {1} pour le montant {2} @@ -4029,18 +4046,18 @@ 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 +1011,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 +944,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 +213,Serial No {0} has already been received,N° de Série {0} a déjà été reçu +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 ,Requested Items To Be Transferred,Articles Demandés à Transférer 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 +1312,Delete permanently?,Supprimer définitivement ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Invalide {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalide {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Congé Maladie DocType: Email Digest,Email Digest,Envoyer par Mail le Compte Rendu DocType: Delivery Note,Billing Address Name,Nom de l'Adresse de Facturation @@ -4053,6 +4070,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Facturable DocType: Company,Change Abbreviation,Changer l'Abréviation DocType: Expense Claim Detail,Expense Date,Date de Frais +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code de l'article> Groupe d'articles> Marque DocType: Item,Max Discount (%),Réduction Max (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Montant de la Dernière Commande DocType: Task,Is Milestone,Est un Jalon @@ -4076,8 +4094,8 @@ DocType: Program Enrollment Tool,New Program,Nouveau Programme DocType: Item Attribute Value,Attribute Value,Valeur de l'Attribut ,Itemwise Recommended Reorder Level,Renouvellement Recommandé par Article DocType: Salary Detail,Salary Detail,Détails du Salaire -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Veuillez d’abord sélectionner {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lot {0} de l'Article {1} a expiré. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Veuillez d’abord sélectionner {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Lot {0} de l'Article {1} a expiré. DocType: Sales Invoice,Commission,Commission apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Feuille de Temps pour la Fabrication. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Sous-Total @@ -4102,12 +4120,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 +399,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 +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/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 +387,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 +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/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 @@ -4137,7 +4155,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Date d’Élimination DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Les Emails seront envoyés à tous les Employés Actifs de la société à l'heure donnée, s'ils ne sont pas en vacances. Le résumé des réponses sera envoyé à minuit." DocType: Employee Leave Approver,Employee Leave Approver,Approbateur des Congés de l'Employé -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Impossible de déclarer comme perdu, parce que le Devis a été fait." 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 @@ -4170,6 +4188,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: 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 @@ -4178,7 +4197,7 @@ DocType: Cost Center,Cost Center Name,Nom du centre de coûts DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Heures de Travail Max pour une Feuille de Temps DocType: Maintenance Schedule Detail,Scheduled Date,Date Prévue -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Mnt Total Payé +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Mnt Total Payé DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Message de plus de 160 caractères sera découpé en plusieurs messages DocType: Purchase Receipt Item,Received and Accepted,Reçus et Acceptés ,GST Itemised Sales Register,Registre de Vente Détaillé GST @@ -4188,7 +4207,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 +237,Your Suppliers,Vos Fournisseurs +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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' @@ -4200,7 +4219,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,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 +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. @@ -4215,7 +4234,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Qu'est-ce qu apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,À l'Entrepôt apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Toutes les Admissions des Étudiants ,Average Commission Rate,Taux Moyen de la Commission -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'A un Numéro de Série' ne peut pas être 'Oui' pour un article hors-stock +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'A un Numéro de Série' ne peut pas être 'Oui' pour un article hors-stock apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,La présence ne peut pas être marquée pour les dates à venir DocType: Pricing Rule,Pricing Rule Help,Aide pour les Règles de Tarification DocType: School House,House Name,Nom de la Maison @@ -4231,7 +4250,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 +339,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 +340,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 @@ -4246,20 +4265,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Fiche de Paie de l'employé {0} déjà créée pour la feuille de temps {1} DocType: Vehicle Log,Odometer,Odomètre DocType: Sales Order Item,Ordered Qty,Qté Commandée -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Article {0} est désactivé +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Générer les Fiches de Paie -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Achat doit être vérifié, si Applicable Pour {0} est sélectionné" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Achat doit être vérifié, si Applicable Pour {0} est sélectionné" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,La remise doit être inférieure à 100 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 +500,Default BOM for {0} not found,LDM par défaut {0} introuvable -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Référence de Coût au Débarquement @@ -4318,7 +4337,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Date Prévue ne peut pas être avant la Date de Demande de Matériel DocType: Purchase Invoice Item,Stock Qty,Qté en Stock -DocType: Production Order,Source Warehouse (for reserving Items),Entrepôt Source (pour la réservation des Articles) DocType: Employee Loan,Repayment Period in Months,Période de Remboursement en Mois apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erreur : Pas un identifiant valide ? DocType: Naming Series,Update Series Number,Mettre à Jour la Série @@ -4366,7 +4384,7 @@ DocType: Production Order,Planned End Date,Date de Fin Prévue apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Là où les articles sont stockés. DocType: Request for Quotation,Supplier Detail,Détails du Fournisseur apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Erreur dans la formule ou dans la condition : {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Montant Facturé +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Montant Facturé DocType: Attendance,Attendance,Présence apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Articles de Stock DocType: BOM,Materials,Matériels @@ -4398,7 +4416,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root ter apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nouveau Nom de Commercial DocType: Packing Slip,Gross Weight UOM,UDM du Poids Brut DocType: Delivery Note Item,Against Sales Invoice,Pour la Facture de Vente -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Entrez les numéros de série pour l'élément sérialisé +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Veuillez entrer les numéros de série pour l'élément sérialisé 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) @@ -4406,10 +4424,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Installation d'un site web simple pour mon organisation +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 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 +650,Please specify Attribute Value for attribute {0},Veuillez spécifier une Valeur d’Attribut pour l'attribut {0} +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} DocType: Item,Default Warehouse,Entrepôt par Défaut apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget ne peut pas être attribué pour le Compte de Groupe {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Veuillez entrer le centre de coût parent @@ -4424,7 +4442,7 @@ apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Solde DocType: Room,Seating Capacity,Nombre de places DocType: Issue,ISS-,ISS- DocType: Project,Total Expense Claim (via Expense Claims),Total des Notes de Frais (via Notes de Frais) -DocType: GST Settings,GST Summary,Résumé de la TPS +DocType: GST Settings,GST Summary,Résumé GST DocType: Assessment Result,Total Score,Score Total DocType: Journal Entry,Debit Note,Note de Débit DocType: Stock Entry,As per Stock UOM,Selon UDM du Stock @@ -4459,7 +4477,7 @@ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_recei apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Basé sur les transactions avec ce client. Voir la chronologie ci-dessous pour plus de détails DocType: Supplier,Credit Days Based On,Jours de Crédit Basés sur apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ligne {0} : Le montant alloué {1} doit être inférieur ou égal au montant du Paiement {2} -,Course wise Assessment Report,Rapport d'évaluation du cours +,Course wise Assessment Report,Rapport d'Évaluation par Cours DocType: Tax Rule,Tax Rule,Règle de Taxation DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Maintenir le Même Taux Durant le Cycle de Vente DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifier les journaux de temps en dehors des Heures de Travail du Bureau. @@ -4468,7 +4486,7 @@ 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 +1344,Select or add new customer,Sélectionner ou ajoutez nouveau client +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/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é @@ -4476,6 +4494,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage d'employé dans Ressources humaines> Paramètres RH 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 +231,{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. @@ -4488,7 +4507,7 @@ 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} apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0} : {1} n’existe pas -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Sélectionnez les numéros de lot +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Sélectionnez les Numéros de Lot apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factures émises pour des Clients. apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID du Projet 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} @@ -4498,7 +4517,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Liste de Prix introuvable ou desactivée +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4518,7 +4537,7 @@ DocType: POS Profile,Account for Change Amount,Compte pour le Rendu de Monnaie apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ligne {0} : Partie / Compte ne correspond pas à {1} / {2} en {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Veuillez entrer un Compte de Charges DocType: Account,Stock,Stock -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ligne #{0} : Type de Document de Référence doit être un Bon de Commande, une Facture d'Achat ou une Écriture de Journal" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ligne #{0} : Type de Document de Référence doit être un Bon de Commande, une Facture d'Achat ou une Écriture de Journal" DocType: Employee,Current Address,Adresse Actuelle DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si l'article est une variante d'un autre article, alors la description, l'image, le prix, les taxes etc seront fixés à partir du modèle sauf si spécifiés explicitement" DocType: Serial No,Purchase / Manufacture Details,Achat / Fabrication Détails @@ -4556,11 +4575,12 @@ DocType: Student,Home Address,Adresse du Domicile apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfert d'Actifs DocType: POS Profile,POS Profile,Profil PDV DocType: Training Event,Event Name,Nom de l'Événement -apps/erpnext/erpnext/config/schools.py +39,Admission,Admission +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Admission apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions pour {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","L'article {0} est un modèle, veuillez sélectionner l'une de ses variantes" DocType: Asset,Asset Category,Catégorie d'Actif +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Acheteur apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salaire Net ne peut pas être négatif DocType: SMS Settings,Static Parameters,Paramètres Statiques DocType: Assessment Plan,Room,Chambre @@ -4569,6 +4589,7 @@ DocType: Item,Item Tax,Taxe sur l'Article apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Du Matériel au Fournisseur apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Client Group> Territoire DocType: Expense Claim,Employees Email Id,Identifiants Email des employés DocType: Employee Attendance Tool,Marked Attendance,Présence Validée apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Dettes Actuelles @@ -4640,6 +4661,7 @@ DocType: Leave Type,Is Carry Forward,Est un Report apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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/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 ,Stock Summary,Résumé du Stock diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv index b3c11f13e3..d98e4103a9 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","અટકાવાયેલ ઉત્પાદન ઓર્ડર રદ કરી શકાતી નથી, રદ કરવા તે પ્રથમ Unstop" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,પસંદ કરો મૂળભૂત પુરવઠોકર્તા @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1} +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 +808,Invoice,ભરતિયું DocType: Maintenance Schedule Item,Periodicity,સમયગાળાના apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ફિસ્કલ વર્ષ {0} જરૂરી છે @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,પ્રગતિમાં કામ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,કૃપા કરીને તારીખ પસંદ DocType: Employee,Holiday List,રજા યાદી -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,એકાઉન્ટન્ટ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,એકાઉન્ટન્ટ DocType: Cost Center,Stock User,સ્ટોક વપરાશકર્તા DocType: Company,Phone No,ફોન કોઈ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,કોર્સ શેડ્યુલ બનાવવામાં: @@ -110,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 +269,Kg,કિલો ગ્રામ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,કિલો ગ્રામ DocType: Student Log,Log,પ્રવેશ કરો apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,નોકરી માટે ખોલીને. DocType: Item Attribute,Increment,વૃદ્ધિ @@ -120,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 +42,Not permitted for {0},માટે પરવાનગી નથી {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,વસ્તુઓ મેળવો -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,વસ્તુઓ મળી +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,સેલ્સ ભરતિયું વસ્તુ @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,સ્ટોક અહે DocType: Warehouse,Warehouse Detail,વેરહાઉસ વિગતવાર apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ક્રેડિટ મર્યાદા ગ્રાહક માટે ઓળંગી કરવામાં આવી છે {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", અનચેક કરી શકાતી નથી કારણ કે એસેટ રેકોર્ડ વસ્તુ સામે અસ્તિત્વમાં "સ્થિર એસેટ છે"" +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/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,ગ્રાહક જ નામ સાથે હાજર @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},પ્રતિ {0} માટે {1} DocType: Item,Copy From Item Group,વસ્તુ ગ્રુપ નકલ DocType: Journal Entry,Opening Entry,ખુલી એન્ટ્રી -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ટેરિટરી apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,એકાઉન્ટ પે માત્ર DocType: Employee Loan,Repay Over Number of Periods,ચુકવણી બોલ કાળ સંખ્યા DocType: Stock Entry,Additional Costs,વધારાના ખર્ચ @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,રિયલ એસ્ટેટ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,એકાઉન્ટ સ્ટેટમેન્ટ +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,ફાર્માસ્યુટિકલ્સ DocType: Purchase Invoice Item,Is Fixed Asset,સ્થિર એસેટ છે apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ઉપલબ્ધ Qty {0}, તમને જરૂર છે {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,ઉપભોજ્ય +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,ઉપભોજ્ય DocType: Employee,B-,બી DocType: Upload Attendance,Import Log,આયાત લોગ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,પુલ ઉપર માપદંડ પર આધારિત પ્રકાર ઉત્પાદન સામગ્રી વિનંતી @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ઉદાહરણ: મૂળભૂત ગણિત +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/config/hr.py +214,Settings for HR Module,એચઆર મોડ્યુલ માટે સેટિંગ્સ DocType: SMS Center,SMS Center,એસએમએસ કેન્દ્ર @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,વસ્તુઓ અને પ્રાઇસીંગ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},કુલ સમય: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},તારીખ થી નાણાકીય વર્ષ અંદર પ્રયત્ન કરીશું. તારીખ થી એમ ધારી રહ્યા છીએ = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,અવતરણ DocType: Customer,Individual,વ્યક્તિગત DocType: Interest,Academics User,શિક્ષણવિંદો વપરાશકર્તા DocType: Cheque Print Template,Amount In Figure,રકમ આકૃતિ @@ -264,7 +265,7 @@ DocType: Employee,Create User,વપરાશકર્તા બનાવો DocType: Selling Settings,Default Territory,મૂળભૂત પ્રદેશ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,દૂરદર્શન DocType: Production Order Operation,Updated via 'Time Log','સમય લોગ' મારફતે સુધારાશે -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1} DocType: Naming Series,Series List for this Transaction,આ સોદા માટે સિરીઝ યાદી DocType: Company,Enable Perpetual Inventory,પર્પેચ્યુઅલ ઈન્વેન્ટરી સક્ષમ DocType: Company,Default Payroll Payable Account,ડિફૉલ્ટ પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ @@ -272,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 +177,For Warehouse is required before Submit,વેરહાઉસ માટે જમા પહેલાં જરૂરી છે +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.","જો ચકાસાયેલ હોય, સામગ્રી વિનંતીઓ નોન-સ્ટોક વસ્તુઓ સમાવેશ થાય છે." @@ -280,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 +2256,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,સંપર્ક નામ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 ગ્રાહક જૂથ @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,તારીખ રાહત જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ 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 +189,Warehouse {0} does not belong to company {1},{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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,છોડો અવરોધિત -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,બેન્ક પ્રવેશો apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,વાર્ષિક DocType: Stock Reconciliation Item,Stock Reconciliation Item,સ્ટોક રિકંસીલેશન વસ્તુ @@ -314,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 +316,People who teach at your organisation,જે લોકો તમારી સંસ્થા ખાતે શીખવે +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,વપરાશકર્તા ફ DocType: Item,Publish in Hub,હબ પ્રકાશિત DocType: Student Admission,Student Admission,વિદ્યાર્થી પ્રવેશ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,સામગ્રી વિનંતી DocType: Bank Reconciliation,Update Clearance Date,સુધારા ક્લિયરન્સ તારીખ DocType: Item,Purchase Details,ખરીદી વિગતો @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,ફ્લીટ વ્યવસ્થાપક apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,ગોળ સંદર્ભ ભૂલ @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,તમે તેને ખેંચી ચુકવણી પછી એન્ટ્રી સુધારાઈ ગયેલ છે. તેને ફરીથી ખેંચી કરો. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} વસ્તુ ટેક્સ બે વખત દાખલ +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} વસ્તુ ટેક્સ બે વખત દાખલ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,આ અઠવાડિયે અને બાકી પ્રવૃત્તિઓ માટે સારાંશ DocType: Student Applicant,Admitted,પ્રવેશ DocType: Workstation,Rent Cost,ભાડું ખર્ચ @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% પ્રાપ્ત apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,વિદ્યાર્થી જૂથો બનાવો apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,સેટઅપ પહેલેથી પૂર્ણ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ક્રેડિટ નોટ રકમ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ક્રેડિટ નોટ રકમ ,Finished Goods,ફિનિશ્ડ ગૂડ્સ DocType: Delivery Note,Instructions,સૂચનાઓ DocType: Quality Inspection,Inspected By,દ્વારા પરીક્ષણ @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,નવી ગ્રાહક બનાવવા +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ સેટઅપ મારફતે હાજરી શ્રેણી સંખ્યા> નંબરિંગ સિરીઝ apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ખરીદી ઓર્ડર બનાવો ,Purchase Register,ખરીદી રજીસ્ટર DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 માર્ગદર્શિકા વાંચવા @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,બધા ઉત્પાદન પ્રક્રિયા માટે વૈશ્વિક સુયોજનો. DocType: Accounts Settings,Accounts Frozen Upto,ફ્રોઝન સુધી એકાઉન્ટ્સ DocType: SMS Log,Sent On,પર મોકલવામાં -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} લક્ષણો ટેબલ ઘણી વખત પસંદ +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} લક્ષણો ટેબલ ઘણી વખત પસંદ DocType: HR Settings,Employee record is created using selected field. ,કર્મચારીનું રેકોર્ડ પસંદ ક્ષેત્ર ઉપયોગ કરીને બનાવવામાં આવે છે. DocType: Sales Order,Not Applicable,લાગુ નથી apps/erpnext/erpnext/config/hr.py +70,Holiday master.,હોલિડે માસ્ટર. @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"સામગ્રી વિનંતી ઊભા કરવામાં આવશે, જેના માટે વેરહાઉસ દાખલ કરો" DocType: Production Order,Additional Operating Cost,વધારાની ઓપરેટીંગ ખર્ચ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,કોસ્મેટિક્સ -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","મર્જ, નીચેના ગુણધર્મો બંને આઇટમ્સ માટે જ હોવી જોઈએ" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","મર્જ, નીચેના ગુણધર્મો બંને આઇટમ્સ માટે જ હોવી જોઈએ" DocType: Shipping Rule,Net Weight,કુલ વજન DocType: Employee,Emergency Phone,સંકટકાલીન ફોન apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ખરીદો @@ -546,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 +2428,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ સંપાદિત કરો કર અને ખર્ચ ઉમેરો DocType: Purchase Invoice,Supplier Invoice No,પુરવઠોકર્તા ભરતિયું કોઈ DocType: Territory,For reference,સંદર્ભ માટે -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","કાઢી શકતા નથી સીરીયલ કોઈ {0}, તે સ્ટોક વ્યવહારો તરીકે ઉપયોગ થાય છે" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","કાઢી શકતા નથી સીરીયલ કોઈ {0}, તે સ્ટોક વ્યવહારો તરીકે ઉપયોગ થાય છે" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),બંધ (સીઆર) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,ખસેડો વસ્તુ DocType: Serial No,Warranty Period (Days),વોરંટી સમયગાળા (દિવસ) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,પ્રથમ કંપની અને પાર્ટી પ્રકાર પસંદ કરો apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,સંચિત મૂલ્યો -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","માફ કરશો, સીરીયલ અમે મર્જ કરી શકાતા નથી" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","માફ કરશો, સીરીયલ અમે મર્જ કરી શકાતા નથી" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,વેચાણ ઓર્ડર બનાવો DocType: Project Task,Project Task,પ્રોજેક્ટ ટાસ્ક ,Lead Id,લીડ આઈડી @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,ફાળવો apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,વેચાણ પરત 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,નોંધ: કુલ ફાળવેલ પાંદડા {0} પહેલાથી મંજૂર પાંદડા કરતાં ઓછી ન હોવી જોઈએ {1} સમયગાળા માટે +,Total Stock Summary,કુલ સ્ટોક સારાંશ DocType: Announcement,Posted By,દ્વારા પોસ્ટ કરવામાં આવ્યું DocType: Item,Delivered by Supplier (Drop Ship),સપ્લાયર દ્વારા વિતરિત (ડ્રૉપ જહાજ) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,સંભવિત ગ્રાહકો ડેટાબેઝ. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ગ્રાહક DocType: Quotation,Quotation To,માટે અવતરણ DocType: Lead,Middle Income,મધ્યમ આવક apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ખુલી (સીઆર) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,જો તમે પહેલાથી જ અન્ય UOM સાથે કેટલાક વ્યવહાર (ઓ) કર્યા છે કારણ કે વસ્તુ માટે માપવા એકમ મૂળભૂત {0} સીધા બદલી શકાતું નથી. તમે વિવિધ મૂળભૂત UOM વાપરવા માટે એક નવી આઇટમ બનાવવા માટે જરૂર પડશે. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,જો તમે પહેલાથી જ અન્ય UOM સાથે કેટલાક વ્યવહાર (ઓ) કર્યા છે કારણ કે વસ્તુ માટે માપવા એકમ મૂળભૂત {0} સીધા બદલી શકાતું નથી. તમે વિવિધ મૂળભૂત UOM વાપરવા માટે એક નવી આઇટમ બનાવવા માટે જરૂર પડશે. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ફાળવેલ રકમ નકારાત્મક ન હોઈ શકે apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,કંપની સેટ કરો DocType: Purchase Order Item,Billed Amt,ચાંચ એએમટી @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,સ્નાતકોત્ DocType: Assessment Plan,Maximum Assessment Score,મહત્તમ આકારણી સ્કોર apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,સુધારા બેન્ક ટ્રાન્ઝેક્શન તારીખો apps/erpnext/erpnext/config/projects.py +30,Time Tracking,સમયનો ટ્રેકિંગ +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,પરિવાહક માટે ડુપ્લિકેટ DocType: Fiscal Year Company,Fiscal Year Company,ફિસ્કલ યર કંપની DocType: Packing Slip Item,DN Detail,DN વિગતવાર DocType: Training Event,Conference,કોન્ફરન્સ @@ -674,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 +320,Timesheet created:,Timesheet બનાવવામાં: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,નોંધણી DocType: GST Settings,GST Settings,જીએસટી સેટિંગ્સ DocType: Selling Settings,Customer Naming By,કરીને ગ્રાહક નામકરણ @@ -704,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 +139,Finish,સમાપ્ત +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,સમાપ્ત apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,પાયો DocType: Timesheet,Total Billed Hours,કુલ ગણાવી કલાક DocType: Journal Entry,Write Off Amount,રકમ માંડવાળ @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,વિક્રેતા સિટી ,Absent Student Report,ગેરહાજર વિદ્યાર્થી રિપોર્ટ DocType: Email Digest,Next email will be sent on:,આગામી ઇમેઇલ પર મોકલવામાં આવશે: DocType: Offer Letter Term,Offer Letter Term,પત્ર ગાળાના ઓફર -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,વસ્તુ ચલો છે. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,વસ્તુ ચલો છે. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,વસ્તુ {0} મળી નથી DocType: Bin,Stock Value,સ્ટોક ભાવ apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,કંપની {0} અસ્તિત્વમાં નથી @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","મલ્ટીપલ ભાવ નિયમો જ માપદંડ સાથે અસ્તિત્વ ધરાવે છે, અગ્રતા સોંપણી દ્વારા તકરાર ઉકેલવા કરો. ભાવ નિયમો: {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,"નિષ્ક્રિય અથવા તે અન્ય 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 +48,Make Timesheet,Timesheet બનાવો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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,કૌટુંબિક પૃષ્ઠભૂમિ DocType: Request for Quotation Supplier,Send Email,ઇમેઇલ મોકલો -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ચેતવણી: અમાન્ય જોડાણ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,પરવાનગી નથી +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},ચેતવણી: અમાન્ય જોડાણ {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,પરવાનગી નથી 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 +269,Nos,અમે +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} સબમિટ હોવું જ જોઈએ @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,ખુલવાનો સંચિત અવમૂલ્યન @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},સીરીયલ કોઈ {0} વસ્તુ ને અનુલક્ષતું નથી {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},સીરીયલ કોઈ {0} વસ્તુ ને અનુલક્ષતું નથી {1} DocType: Purchase Receipt Item Supplied,Required Qty,જરૂરી Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે. DocType: Bank Reconciliation,Total Amount,કુલ રકમ @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,ઘટકો apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},વસ્તુ દાખલ કરો એસેટ વર્ગ {0} DocType: Quality Inspection Reading,Reading 6,6 વાંચન -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,નથી {0} {1} {2} વગર કોઈપણ નકારાત્મક બાકી ભરતિયું કરી શકો છો +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,નથી {0} {1} {2} વગર કોઈપણ નકારાત્મક બાકી ભરતિયું કરી શકો છો 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} @@ -978,12 +982,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 +731,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ DocType: Payment Request,Paid,ચૂકવેલ DocType: Program Fee,Program Fee,કાર્યક્રમ ફી DocType: Salary Slip,Total in words,શબ્દોમાં કુલ @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,કેમિકલ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,મૂળભૂત બેન્ક / રોકડ એકાઉન્ટ આપમેળે જ્યારે આ સ્થિતિ પસંદ થયેલ પગાર જર્નલ પ્રવેશ અપડેટ કરવામાં આવશે. DocType: BOM,Raw Material Cost(Company Currency),કાચો સામગ્રી ખર્ચ (કંપની ચલણ) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,બધી વસ્તુઓ પહેલેથી જ આ ઉત્પાદન ઓર્ડર માટે તબદીલ કરવામાં આવી છે. +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 +270,Meter,મીટર +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,મીટર DocType: Workstation,Electricity Cost,વીજળી ખર્ચ DocType: HR Settings,Don't send Employee Birthday Reminders,કર્મચારીનું જન્મદિવસ રિમાઇન્ડર્સ મોકલશો નહીં DocType: Item,Inspection Criteria,નિરીક્ષણ માપદંડ @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,બેલેન્સ લોન રકમ @@ -1048,7 +1052,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 +259,Qty for {0},માટે Qty {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,બ્લોક યાદી તારીખો છોડો @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,કેશ / બેન્ક એક apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ઉલ્લેખ કરો એક {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,જથ્થો અથવા કિંમત કોઈ ફેરફાર સાથે દૂર વસ્તુઓ. DocType: Delivery Note,Delivery To,ડ લવર -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,એટ્રીબ્યુટ ટેબલ ફરજિયાત છે +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,એટ્રીબ્યુટ ટેબલ ફરજિયાત છે DocType: Production Planning Tool,Get Sales Orders,વેચાણ ઓર્ડર મેળવો -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} નકારાત્મક ન હોઈ શકે +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} નકારાત્મક ન હોઈ શકે apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ડિસ્કાઉન્ટ DocType: Asset,Total Number of Depreciations,કુલ Depreciations સંખ્યા DocType: Sales Invoice Item,Rate With Margin,માર્જિનથી દર @@ -1098,7 +1102,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 +1546,ZIP Code,પિન કોડ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,સ્ટોક પ્રવેશો બનાવે @@ -1116,7 +1120,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,તમારા સપ્લાયર્સ થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ડિસ્ટ્રીબ્યુટર DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,શોપિંગ કાર્ટ શીપીંગ નિયમ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,ઉત્પાદન ઓર્ડર {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',સુયોજિત 'પર વધારાની ડિસ્કાઉન્ટ લાગુ' કરો +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,રેન્જ ઓછી હોઈ શકે છે કરતાં શ્રેણી DocType: Global Defaults,Global Defaults,વૈશ્વિક ડિફૉલ્ટ્સ @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN પ્રથમ 2 અંકો રાજ્ય નંબર સાથે મેળ ખાતી હોવી જોઈએ {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ક્ષમતા આયોજન ભૂલ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ક્ષમતા આયોજન ભૂલ ,Trial Balance for Party,પાર્ટી માટે ટ્રાયલ બેલેન્સ DocType: Lead,Consultant,સલાહકાર DocType: Salary Slip,Earnings,કમાણી @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,વળતર છે apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,રીટર્ન / ડેબિટ નોટ DocType: Price List Country,Price List Country,ભાવ યાદી દેશ DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} વસ્તુ માટે માન્ય સીરીયલ અમે {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} વસ્તુ માટે માન્ય સીરીયલ અમે {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,વસ્તુ કોડ સીરીયલ નંબર માટે બદલી શકાતું નથી apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS પ્રોફાઇલ {0} પહેલાથી જ વપરાશકર્તા માટે બનાવેલ: {1} અને કંપની {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM રૂપાંતર ફેક્ટર @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ','આઇટમ કોડ સાથે આઇટમ માટે કેન્દ્ર ખર્ચ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","વધુ એકાઉન્ટ્સ જૂથો હેઠળ કરી શકાય છે, પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે" @@ -1221,7 +1225,7 @@ 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,જુઓ ખાતાવહી DocType: Grading Scale,Intervals,અંતરાલો apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,જુનું -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","એક વસ્તુ ગ્રુપ જ નામ સાથે હાજર, આઇટમ નામ બદલવા અથવા વસ્તુ જૂથ નામ બદલી કૃપા કરીને" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,આ આઇટમ {0} બેચ હોઈ શકે નહિં @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ DocType: Purchase Invoice,Rejected Warehouse,નકારેલું વેરહાઉસ DocType: GL Entry,Against Voucher,વાઉચર સામે DocType: Item,Default Buying Cost Center,ડિફૉલ્ટ ખરીદી ખર્ચ કેન્દ્રને @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,વેચાણ ઓર્ડર {0} માન્ય નથી +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ઇશ્યૂ સ્થળ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,કરાર DocType: Email Digest,Add Quote,ભાવ ઉમેરો -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM માટે જરૂરી UOM coversion પરિબળ: {0} વસ્તુ: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM માટે જરૂરી UOM coversion પરિબળ: {0} વસ્તુ: {1} 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 +736,Sync Master Data,સમન્વય માસ્ટર ડેટા -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ +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,તમારી ઉત્પાદનો અથવા સેવાઓ DocType: Mode of Payment,Mode of Payment,ચૂકવણીની પદ્ધતિ -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ DocType: Student Applicant,AP,એપી DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,આ રુટ વસ્તુ જૂથ છે અને સંપાદિત કરી શકાતી નથી. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","પ્રાઇસીંગ નિયમ પ્રથમ પર આધારિત પસંદ થયેલ વસ્તુ, આઇટમ ગ્રુપ અથવા બ્રાન્ડ બની શકે છે, જે ક્ષેત્ર 'પર લાગુ પડે છે." 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 પ્રયત્ન કરીશું -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},ઉત્પાદન ઓર્ડર સ્થિતિ છે {0} DocType: Appraisal Goal,Goal,ગોલ DocType: Sales Invoice Item,Edit Description,સંપાદિત કરો વર્ણન ,Team Updates,ટીમ સુધારાઓ @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,બાળ વેરહાઉસ આ વેરહાઉસ માટે અસ્તિત્વમાં છે. તમે આ વેરહાઉસ કાઢી શકતા નથી. DocType: Item,Website Item Groups,વેબસાઇટ વસ્તુ જૂથો DocType: Purchase Invoice,Total (Company Currency),કુલ (કંપની ચલણ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} સીરીયલ નંબર એક કરતા વધુ વખત દાખલ +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 +78,{0} items in progress,{0} પ્રગતિ વસ્તુઓ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,આ ઉપસર્ગ સાથે છેલ્લા બનાવવામાં વ્યવહાર સંખ્યા છે @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,બુટસ્ટ્રેપ 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,7 +1405,7 @@ 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 +260,Max: {0},મહત્તમ: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,કોમ્યુનિકેશન લોગ. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,શિપિંગ સરનામ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,એકાઉન્ટ્સ ઓફ ચાર્ટ DocType: Material Request,Terms and Conditions Content,નિયમો અને શરતો સામગ્રી apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 કરતા વધારે ન હોઈ શકે -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} વસ્તુ સ્ટોક વસ્તુ નથી +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} વસ્તુ સ્ટોક વસ્તુ નથી DocType: Maintenance Visit,Unscheduled,અનિશ્ચિત DocType: Employee,Owned,માલિકીની DocType: Salary Detail,Depends on Leave Without Pay,પગાર વિના રજા પર આધાર રાખે છે @@ -1444,7 +1446,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 +273,We buy this Item,અમે આ આઇટમ ખરીદી +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 નાણાકીય વર્ષના પી એન્ડ એલ બેલેન્સ બતાવો @@ -1455,7 +1457,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 +266,Sub Assemblies,પેટા એસેમ્બલીઝ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,પેટા એસેમ્બલીઝ DocType: Asset,Asset Name,એસેટ નામ DocType: Project,Task Weight,ટાસ્ક વજન DocType: Shipping Rule Condition,To Value,કિંમત @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,સોર્સ 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 +239,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,આ ચુકવણી ટેબલ માં શોધી કોઈ રેકોર્ડ apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},આ {0} સાથે તકરાર {1} માટે {2} {3} DocType: Student Attendance Tool,Students HTML,વિદ્યાર્થીઓ HTML DocType: POS Profile,Apply Discount,ડિસ્કાઉન્ટ લાગુ -DocType: Purchase Invoice Item,GST HSN Code,જીએસટી HSN કોડ +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 +283,Packing Slip(s) cancelled,રદ પેકિંગ કાપલી (ઓ) @@ -1536,8 +1538,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 +2573,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,બોક્સ +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 +873,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,રીસીવર સૂચિ ખાલી છે. રીસીવર યાદી બનાવવા કરો @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,ચુકવણી પદ્ધતિ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","જો ચકાસાયેલ છે, મુખ્ય પૃષ્ઠ પાનું વેબસાઇટ માટે મૂળભૂત વસ્તુ ગ્રુપ હશે" DocType: Quality Inspection Reading,Reading 4,4 વાંચન -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},માટે {0} પ્રોજેક્ટ મળી નથી ડિફૉલ્ટ BOM {1} 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,નવી કા apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,અવતરણ બનાવો apps/erpnext/erpnext/config/selling.py +216,Other Reports,અન્ય અહેવાલો DocType: Dependent Task,Dependent Task,આશ્રિત ટાસ્ક -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},માપવા એકમ મૂળભૂત માટે રૂપાંતર પરિબળ પંક્તિ માં 1 હોવા જ જોઈએ {0} +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 દિવસ માટે કામગીરી આયોજન કરવાનો પ્રયાસ કરો. 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} DocType: SMS Center,Receiver List,રીસીવર યાદી -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,શોધ વસ્તુ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,પહેલેથી જ પૂર્ણ +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/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 +263,Quantity must not be more than {0},જથ્થો કરતાં વધુ ન હોવું જોઈએ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,ખાતાનું નામ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,તારીખ તારીખ કરતાં વધારે ન હોઈ શકે થી -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,સીરીયલ કોઈ {0} જથ્થો {1} એક અપૂર્ણાંક ન હોઈ શકે +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,સીરીયલ કોઈ {0} જથ્થો {1} એક અપૂર્ણાંક ન હોઈ શકે apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,પુરવઠોકર્તા પ્રકાર માસ્ટર. 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 હોઇ શકે છે નથી કરી શકો છો @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,વાહન રવાનગી તારીખ +DocType: Purchase Order Item,HSN/SAC,HSN / એસએસી apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} અપર્ણ ન કરાય DocType: Company,Default Payable Account,મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","આવા શીપીંગ નિયમો, ભાવ યાદી વગેરે શોપિંગ કાર્ટ માટે સુયોજનો" @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,પાંદડા DocType: Sales Invoice,Packed Items,પેક વસ્તુઓ apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,સીરીયલ નંબર સામે વોરંટી દાવાની DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",તે વપરાય છે જ્યાં અન્ય તમામ BOMs ચોક્કસ BOM બદલો. તે જૂના BOM લિંક બદલો કિંમત સુધારા અને નવી BOM મુજબ "BOM વિસ્ફોટ વસ્તુ" ટેબલ પુનર્જીવિત કરશે -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','કુલ' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','કુલ' DocType: Shopping Cart Settings,Enable Shopping Cart,શોપિંગ કાર્ટ સક્ષમ DocType: Employee,Permanent Address,કાયમી સરનામું apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ DocType: Material Request,Transferred,પર સ્થાનાંતરિત DocType: Vehicle,Doors,દરવાજા apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો! DocType: Course Assessment Criteria,Weightage,ભારાંકન +DocType: Sales 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,એક ગ્રાહક જૂથ જ નામ સાથે હાજર ગ્રાહક નામ બદલી અથવા ગ્રાહક જૂથ નામ બદલી કૃપા કરીને @@ -1720,7 +1723,7 @@ 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 +699,Offline,ઑફલાઇન +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,નોકરી માટે અરજી @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,મુખ્ય apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,વેરિએન્ટ DocType: Naming Series,Set prefix for numbering series on your transactions,તમારા વ્યવહારો પર શ્રેણી નંબર માટે સેટ ઉપસર્ગ DocType: Employee Attendance Tool,Employees HTML,કર્મચારીઓ HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ DocType: Employee,Leave Encashed?,વટાવી છોડી? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ક્ષેત્રમાં પ્રતિ તક ફરજિયાત છે DocType: Email Digest,Annual Expenses,વાર્ષિક ખર્ચ @@ -1749,7 +1752,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 +175,Work-in-Progress Warehouse is required before Submit,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ સબમિટ પહેલાં જરૂરી છે +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,તમારા સપ્લાયર વિશે વૈધાિનક માહિતી અને અન્ય સામાન્ય માહિતી @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,સીરીયલ સંખ્યા અ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,વિદ્યાર્થીઓની જૂથ સ્ટ્રેન્થ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,જર્નલ સામે એન્ટ્રી {0} કોઈપણ મેળ ન ખાતી {1} પ્રવેશ નથી apps/erpnext/erpnext/config/hr.py +137,Appraisals,appraisals -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},સીરીયલ કોઈ વસ્તુ માટે દાખલ ડુપ્લિકેટ {0} +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}. ઓવર બિલિંગ પરવાનગી આપવા માટે, સેટિંગ્સ ખરીદવી સેટ કૃપા કરીને" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ચુકવણી @@ -1785,12 +1788,12 @@ 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 +257,"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 +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.","તમે ખરીદી અથવા વેચાણ કે તમારા ઉત્પાદનો અથવા સેવાઓ યાદી. તમે શરૂ કરો છો ત્યારે માપ અને અન્ય ગુણધર્મો આઇટમ ગ્રુપ, એકમ ચકાસવા માટે ખાતરી કરો." 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: Asset Movement,Asset Movement,એસેટ ચળવળ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ન્યૂ કાર્ટ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,વ્હિલ્સ @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ખરીદી રસીદો વસ્તુઓ મેળવો DocType: Serial No,Creation Date,સર્જન તારીખ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} વસ્તુ ભાવ યાદી ઘણી વખત દેખાય {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે વેચાણ, ચકાસાયેલ જ હોવું જોઈએ {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે વેચાણ, ચકાસાયેલ જ હોવું જોઈએ {0}" DocType: Production Plan Material Request,Material Request Date,સામગ્રી વિનંતી તારીખ DocType: Purchase Order Item,Supplier Quotation Item,પુરવઠોકર્તા અવતરણ વસ્તુ DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ઉત્પાદન ઓર્ડર સામે સમય લોગ બનાવટને નિષ્ક્રિય કરે. ઓપરેશન્સ ઉત્પાદન ઓર્ડર સામે ટ્રેક કરી નહિ @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,સામાન કે સે DocType: Budget,Fiscal Year,નાણાકીય વર્ષ DocType: Vehicle Log,Fuel Price,ફ્યુઅલ પ્રાઈસ DocType: Budget,Budget,બજેટ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,સ્થિર એસેટ વસ્તુ નોન-સ્ટોક વસ્તુ હોવી જ જોઈએ. +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 +209,e.g. 5,દા.ત. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,તમે વેચાણ ભરતિયું સેવ વાર શબ્દો દૃશ્યમાન થશે. @@ -1846,7 +1849,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 +263,A Product or Service,ઉત્પાદન અથવા સેવા +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,વર્તમાન કિંમત @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,જોડી +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,જોડી apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો DocType: Asset,Depreciation Schedule,અવમૂલ્યન સૂચિ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,વેચાણ ભાગીદાર સરનામાં અને સંપર્કો @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},વસ્તુ ગ્રુપ આઇટમ માટે વસ્તુ માસ્ટર ઉલ્લેખ નથી {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ +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,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ DocType: Shipping Rule Condition,Shipping Amount,શીપીંગ રકમ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ગ્રાહકો ઉમેરો +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,વિતરિત @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસ ,Supplier-Wise Sales Analytics,પુરવઠોકર્તા-વાઈસ વેચાણ ઍનલિટિક્સ apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ચૂકવેલ રકમ દાખલ DocType: Salary Structure,Select employees for current Salary Structure,વર્તમાન પગાર માળખું માટે કર્મચારીઓ પસંદ કરો +DocType: Sales Invoice,Company Address Name,કંપનીનું સરનામું નામ 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)","પિતૃ કોર્સ (ખાલી છોડો, જો આ પિતૃ કોર્સ ભાગ નથી)" @@ -1977,7 +1981,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 +269,Unit,એકમ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,તમે નકારી વસ્તુઓ સ્ટોક જાળવણી કરવામાં આવે છે જ્યાં વેરહાઉસ @@ -1998,7 +2002,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકાર વેચાણ ઓર્ડર એક, સેલ્સ ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: સમય અને સમય ફરજિયાત છે. DocType: Stock Reconciliation Item,Amount Difference,રકમ તફાવત @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,પ્રદેશ દ્વારા ગ્રાહકો વર્ગીકરણ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,તફાવત રકમ શૂન્ય હોવી જોઈએ DocType: Project,Gross Margin,એકંદર માર્જીન -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,પ્રથમ પ્રોડક્શન વસ્તુ દાખલ કરો +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 +748,Quotation,અવતરણ @@ -2019,7 +2023,7 @@ 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: Opportunity,Customer / Lead Address,ગ્રાહક / લીડ સરનામું -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ચેતવણી: જોડાણ પર અમાન્ય SSL પ્રમાણપત્ર {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},ચેતવણી: જોડાણ પર અમાન્ય SSL પ્રમાણપત્ર {0} DocType: Student Admission,Eligibility,લાયકાત apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","તરફ દોરી જાય છે, તમે વ્યવસાય, તમારા પગલે તરીકે તમારા બધા સંપર્કો અને વધુ ઉમેરો વિચાર મદદ" DocType: Production Order Operation,Actual Operation Time,વાસ્તવિક કામગીરી સમય @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,કુલ સ્કોર ગણતર DocType: Request for Quotation,Manufacturing Manager,ઉત્પાદન વ્યવસ્થાપક apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},સીરીયલ કોઈ {0} સુધી વોરંટી હેઠળ છે {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,પેકેજોમાં વિભાજિત બોલ પર કોઈ નોંધ. -apps/erpnext/erpnext/hooks.py +87,Shipments,આવેલા શિપમેન્ટની +apps/erpnext/erpnext/hooks.py +94,Shipments,આવેલા શિપમેન્ટની DocType: Payment Entry,Total Allocated Amount (Company Currency),કુલ ફાળવેલ રકમ (કંપની ચલણ) DocType: Purchase Order Item,To be delivered to customer,ગ્રાહક પર વિતરિત કરવામાં DocType: BOM,Scrap Material Cost,સ્ક્રેપ સામગ્રી ખર્ચ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,સીરીયલ કોઈ {0} કોઈપણ વેરહાઉસ સંબંધ નથી +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,સીરીયલ કોઈ {0} કોઈપણ વેરહાઉસ સંબંધ નથી DocType: Purchase Invoice,In Words (Company Currency),શબ્દો માં (કંપની ચલણ) DocType: Asset,Supplier,પુરવઠોકર્તા DocType: C-Form,Quarter,ક્વાર્ટર @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,કર્મચારીનું DocType: Leave Application,Total Leave Days,કુલ છોડો દિવસો DocType: Email Digest,Note: Email will not be sent to disabled users,નોંધ: આ ઇમેઇલ નિષ્ક્રિય વપરાશકર્તાઓ માટે મોકલવામાં આવશે નહીં apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ઇન્ટરેક્શન સંખ્યા -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,આઇટમ code> આઇટમ ગ્રુપ> બ્રાન્ડ 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 +408,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","ઓછામાં ઓછા એક પંક્તિ ફાળવવામાં રકમ, ભરતિયું પ્રકાર અને ભરતિયું નંબર પસંદ કરો" @@ -2102,7 +2105,8 @@ 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,સીઇઓ DocType: Expense Claim Detail,Expense Claim Detail,ખર્ચ દાવાની વિગત -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,યોગ્ય એકાઉન્ટ પસંદ કરો +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,સપ્લાયર માટે ત્રણ નકલમાં +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,યોગ્ય એકાઉન્ટ પસંદ કરો DocType: Item,Weight UOM,વજન UOM DocType: Salary Structure Employee,Salary Structure Employee,પગાર માળખું કર્મચારીનું DocType: Employee,Blood Group,બ્લડ ગ્રુપ @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,વાલીઓ 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 +336,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ઓફર ગાળાના @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},કુલ અવ DocType: BOM Website Operation,BOM Website Operation,BOM વેબસાઇટ કામગીરીમાં apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,પત્ર ઓફર apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,સામગ્રી અરજીઓ (MRP) અને ઉત્પાદન ઓર્ડર્સ બનાવો. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,કુલ ભરતિયું એએમટી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,કુલ ભરતિયું એએમટી DocType: BOM,Conversion Rate,રૂપાંતરણ દર apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ઉત્પાદન શોધ DocType: Timesheet Detail,To Time,સમય @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,તાલીમ ઘટના કર્મચારીનું -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} વસ્તુ માટે જરૂરી સીરીયલ નંબર {1}. તમે પ્રદાન કરે છે {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} વસ્તુ માટે જરૂરી સીરીયલ નંબર {1}. તમે પ્રદાન કરે છે {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,વર્તમાન મૂલ્યાંકન દર DocType: Item,Customer Item Codes,ગ્રાહક વસ્તુ કોડ્સ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,એક્સચેન્જ મેળવી / નુકશાન @@ -2198,7 +2202,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 +2454,Select Batch No,બેચ પસંદ કોઈ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,એડવાન્સ રકમ @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,વપરાશકર્તાઓ મા DocType: Purchase Order,Customer Mobile No,ગ્રાહક મોબાઇલ કોઈ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,અલગ ઇન્કમ ટ્રૅક અને ઉત્પાદન ક્ષેત્રોમાં અથવા વિભાગો માટે ખર્ચ. DocType: Rename Tool,Rename Tool,સાધન નામ બદલો -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,સુધારો કિંમત +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 +438,Show Salary Slip,પગાર બતાવો કાપલી apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,કર ઉમેરો +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,બજેટ એકાઉન્ટ @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,ખરીદી રસીદ કોઈ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,બાનું DocType: Process Payroll,Create Salary Slip,પગાર કાપલી બનાવો apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / એસએસી કોડ 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,કર્મચારીનું @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,પોસ્ટ ગ્રેજ્ય DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,જાળવણી સુનિશ્ચિત વિગતવાર DocType: Quality Inspection Reading,Reading 9,9 વાંચન DocType: Supplier,Is Frozen,સ્થિર છે -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,ગ્રુપ નોડ વેરહાઉસ વ્યવહારો માટે પસંદ કરવા માટે મંજૂરી નથી +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,ગ્રુપ નોડ વેરહાઉસ વ્યવહારો માટે પસંદ કરવા માટે મંજૂરી નથી DocType: Buying Settings,Buying Settings,ખરીદી સેટિંગ્સ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,એક ફિનિશ્ડ કોઈ વસ્તુ માટે BOM નંબર DocType: Upload Attendance,Attendance To Date,તારીખ હાજરી @@ -2289,13 +2294,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM કોઈપણ વસ્તુ agianst ઉલ્લેખ તો તમે દર બદલી શકતા નથી +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,જથ્થો માટે apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},પંક્તિ પર વસ્તુ {0} માટે આયોજન Qty દાખલ કરો {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,અધિકૃત ભાવ DocType: BOM,Show Operations,બતાવો ઓપરેશન્સ ,Minutes to First Response for Opportunity,તકો માટે પ્રથમ પ્રતિભાવ મિનિટ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,કુલ ગેરહાજર -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,માપવા એકમ DocType: Fiscal Year,Year End Date,વર્ષ અંતે તારીખ DocType: Task Depends On,Task Depends On,કાર્ય પર આધાર રાખે છે @@ -2388,7 +2393,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},સેલ્સ ક્રમ સાથે જથ્થો કરતાં વધુ આઇટમ {0} પેદા કરી શકતા નથી {1} +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/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,આગામી સંપર્ક આગેવાની ઇમેઇલ સરનામું તરીકે જ ન હોઈ શકે @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,સંદર્ભ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,સંદર્ભ DocType: Budget,Cost Center,ખર્ચ કેન્દ્રને apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,વાઉચર # DocType: Notification Control,Purchase Order Message,ઓર્ડર સંદેશ ખરીદી @@ -2502,7 +2507,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 +1165,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,સ્ટોક સેટિંગ્સ @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,ટાસ્ક સમાપ્તિ apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,સ્ટોક નથી DocType: Appraisal,HR User,એચઆર વપરાશકર્તા DocType: Purchase Invoice,Taxes and Charges Deducted,કર અને ખર્ચ બાદ -apps/erpnext/erpnext/hooks.py +116,Issues,મુદ્દાઓ +apps/erpnext/erpnext/hooks.py +124,Issues,મુદ્દાઓ apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},સ્થિતિ એક હોવો જ જોઈએ {0} DocType: Sales Invoice,Debit To,ડેબિટ DocType: Delivery Note,Required only for sample item.,માત્ર નમૂના આઇટમ માટે જરૂરી છે. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,પ્રદેશ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,જરૂરી મુલાકાત કોઈ ઉલ્લેખ કરો DocType: Stock Settings,Default Valuation Method,મૂળભૂત મૂલ્યાંકન પદ્ધતિ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ફી DocType: Vehicle Log,Fuel Qty,ફ્યુઅલ Qty DocType: Production Order Operation,Planned Start Time,આયોજિત પ્રારંભ સમય DocType: Course,Assessment,આકારણી @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,અવતરણ {0} રદ કરવામાં આવે છે -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,કુલ બાકી રકમ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,કુલ બાકી રકમ DocType: Sales Partner,Targets,લક્ષ્યાંક DocType: Price List,Price List Master,ભાવ યાદી માસ્ટર DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,તમે સુયોજિત અને લક્ષ્યો મોનીટર કરી શકે છે કે જેથી બધા સેલ્સ વ્યવહારો બહુવિધ ** વેચાણ વ્યક્તિઓ ** સામે ટૅગ કરી શકો છો. ,S.O. No.,તેથી નંબર -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},લીડ પ્રતિ ગ્રાહક બનાવવા કૃપા કરીને {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},લીડ પ્રતિ ગ્રાહક બનાવવા કૃપા કરીને {0} DocType: Price List,Applicable for Countries,દેશો માટે લાગુ પડે છે apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,માત્ર છોડો સ્થિતિ સાથે કાર્યક્રમો 'માન્ય' અને 'નકારી કાઢ્યો સબમિટ કરી શકો છો apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},વિદ્યાર્થી જૂથ નામ પંક્તિ માં ફરજિયાત છે {0} @@ -2601,6 +2607,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/config/hr.py +163,Define various loan types,વિવિધ લોન પ્રકારના વ્યાખ્યાયિત કરે છે DocType: Bin,FCFS Rate,FCFS દર DocType: Payment Reconciliation Invoice,Outstanding Amount,બાકી રકમ @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,ઉત્પાદન મ 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.,ડિસ્કાઉન્ટ ટકાવારી ભાવ યાદી સામે અથવા બધું ભાવ યાદી માટે ક્યાં લાગુ પાડી શકાય છે. DocType: Purchase Invoice,Half-yearly,અર્ધ-વાર્ષિક apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,જો તમે પહેલાથી જ આકારણી માપદંડ માટે આકારણી છે {}. DocType: Vehicle Service,Engine Oil,એન્જિન તેલ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને સેટઅપ કર્મચારી માનવ સંસાધન માં નામકરણ સિસ્ટમ> એચઆર સેટિંગ્સ 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,ગ્રાહક સરનામું @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,સંસ્થા સાથે જોડાયેલા એકાઉન્ટ્સ એક અલગ ચાર્ટ સાથે કાનૂની એન્ટિટી / સબસિડીયરી. DocType: Payment Request,Mute Email,મ્યૂટ કરો ઇમેઇલ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ફૂડ, પીણું અને તમાકુ" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,કમિશન દર કરતા વધારે 100 ન હોઈ શકે DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,પ્રથમ {0} દાખલ કરો @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,વિદ્યાર્થી માસિક હાજરી શીટ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},કર્મચારીનું {0} પહેલાથી માટે અરજી કરી છે {1} વચ્ચે {2} અને {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,પ્રોજેક્ટ પ્રારંભ તારીખ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,સુધી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,સુધી DocType: Rename Tool,Rename Log,લોગ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,વિદ્યાર્થી ગ્રૂપ અથવા કોર્સ સૂચિ ફરજિયાત છે DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,બિલિંગ કલાક અને કામના કલાકો Timesheet પર જ જાળવી @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,પરત Qty DocType: Employee,Exit,બહાર નીકળો apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root લખવું ફરજિયાત છે DocType: BOM,Total Cost(Company Currency),કુલ ખર્ચ (કંપની ચલણ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} બનાવવામાં સીરીયલ કોઈ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,{0} બનાવવામાં સીરીયલ કોઈ DocType: Homepage,Company Description for website homepage,વેબસાઇટ હોમપેજ માટે કંપની વર્ણન DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ગ્રાહકોની સુવિધા માટે, આ કોડ ઇન્વૉઇસેસ અને ડ લવર નોંધો જેવા પ્રિન્ટ બંધારણો ઉપયોગ કરી શકાય છે" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier નામ @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,એસએમએસ ગેટવે URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,કોર્સ શેડ્યુલ કાઢી: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS વિતરણ સ્થિતિ જાળવવા માટે લોગ DocType: Accounts Settings,Make Payment via Journal Entry,જર્નલ પ્રવેશ મારફતે ચુકવણી બનાવો -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,મુદ્રિત પર +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,મુદ્રિત પર DocType: Item,Inspection Required before Delivery,નિરીક્ષણ ડ લવર પહેલાં જરૂરી DocType: Item,Inspection Required before Purchase,નિરીક્ષણ ખરીદી પહેલાં જરૂરી apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,બાકી પ્રવૃત્તિઓ @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,વિદ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,મર્યાદા ઓળંગી apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,આ શૈક્ષણિક વર્ષ 'સાથે એક શૈક્ષણિક શબ્દ {0} અને' શબ્દ નામ '{1} પહેલેથી હાજર છે. આ પ્રવેશો સુધારવા માટે અને ફરીથી પ્રયાસ કરો. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","વસ્તુ {0} વિરુદ્ધનાં પ્રવર્તમાન વ્યવહારો છે કે, તમે કિંમત બદલી શકતા નથી {1}" +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}","વસ્તુ {0} વિરુદ્ધનાં પ્રવર્તમાન વ્યવહારો છે કે, તમે કિંમત બદલી શકતા નથી {1}" DocType: UOM,Must be Whole Number,સમગ્ર નંબર હોવો જોઈએ DocType: Leave Control Panel,New Leaves Allocated (In Days),(દિવસોમાં) સોંપાયેલ નવા પાંદડા +DocType: Sales Invoice,Invoice Copy,ભરતિયું કૉપિ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,સીરીયલ કોઈ {0} અસ્તિત્વમાં નથી DocType: Sales Invoice Item,Customer Warehouse (Optional),ગ્રાહક વેરહાઉસ (વૈકલ્પિક) DocType: Pricing Rule,Discount Percentage,ડિસ્કાઉન્ટ ટકાવારી @@ -2823,8 +2831,10 @@ 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 +305,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,સંચિત અવમૂલ્યન એકાઉન્ટ DocType: Stock Settings,Freeze Stock Entries,ફ્રીઝ સ્ટોક પ્રવેશો +DocType: Program Enrollment,Boarding Student,બોર્ડિંગ વિદ્યાર્થી DocType: Asset,Expected Value After Useful Life,ઈચ્છિત કિંમત ઉપયોગી જીવન પછી DocType: Item,Reorder level based on Warehouse,વેરહાઉસ પર આધારિત પુનઃક્રમાંકિત કરો સ્તર DocType: Activity Cost,Billing Rate,બિલિંગ રેટ @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,વોરંટી / એએમસી apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,પ્રવૃત્તિ આધારિત ગ્રુપ માટે જાતે વિદ્યાર્થીઓની પસંદગી DocType: Journal Entry,User Remark,વપરાશકર્તા ટીકા DocType: Lead,Market Segment,માર્કેટ સેગમેન્ટ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ચૂકવેલ રકમ કુલ નકારાત્મક બાકી રકમ કરતાં વધારે ન હોઈ શકે {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ચૂકવેલ રકમ કુલ નકારાત્મક બાકી રકમ કરતાં વધારે ન હોઈ શકે {0} DocType: Employee Internal Work History,Employee Internal Work History,કર્મચારીનું આંતરિક કામ ઇતિહાસ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),બંધ (DR) DocType: Cheque Print Template,Cheque Size,ચેક માપ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,નથી સ્ટોક સીરીયલ કોઈ {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,નથી સ્ટોક સીરીયલ કોઈ {0} apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,વ્યવહારો વેચાણ માટે કરવેરા નમૂનો. DocType: Sales Invoice,Write Off Outstanding Amount,બાકી રકમ માંડવાળ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},"એકાઉન્ટ {0} કંપની સાથે મેળ ખાતો નથી, {1}" @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,થોડા નમૂના રેકોર્ડ ઉમેરો +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,સંપૂર્ણપણે વિતરિત @@ -2893,17 +2903,17 @@ 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,સ્ટોક Qty અંદાજિત -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ગ્રાહક ખરીદી ઓર્ડર apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,સીરીયલ કોઈ અને બેચ DocType: Warranty Claim,From Company,કંપનીથી -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,આકારણી માપદંડ સ્કોર્સ ની રકમ {0} હોઈ જરૂર છે. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,આકારણી માપદંડ સ્કોર્સ ની રકમ {0} હોઈ જરૂર છે. 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 +270,Minute,મિનિટ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,મિનિટ DocType: Purchase Invoice,Purchase Taxes and Charges,કર અને ખર્ચ ખરીદી ,Qty to Receive,પ્રાપ્ત Qty DocType: Leave Block List,Leave Block List Allowed,બ્લોક યાદી મંજૂર છોડો @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,પ્રો- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,બેન્ક ઓવરડ્રાફટ એકાઉન્ટ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,પગાર કાપલી બનાવો apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,રો # {0}: ફાળવેલ રકમ બાકી રકમ કરતાં વધારે ન હોઈ શકે. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,બ્રાઉઝ BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,બ્રાઉઝ BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,સુરક્ષીત લોન્સ DocType: Purchase Invoice,Edit Posting Date and Time,પોસ્ટ તારીખ અને સમયને સંપાદિત apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},એસેટ વર્ગ {0} અથવા કંપની અવમૂલ્યન સંબંધિત એકાઉન્ટ્સ સુયોજિત કરો {1} @@ -2939,7 +2949,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 +278,Select Quantity,પસંદ કરો જથ્થો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,આ ઇમેઇલ ડાયજેસ્ટ માંથી અનસબ્સ્ક્રાઇબ @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},ન કરતાં જૂની સ્ટોક વ્યવહારો સુધારવા માટે મંજૂરી {0} DocType: Purchase Invoice Item,PR Detail,PR વિગતવાર DocType: Sales Order,Fully Billed,સંપૂર્ણપણે ગણાવી +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,પુરવઠોકર્તા> પુરવઠોકર્તા પ્રકાર 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 +127,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),પેકેજ ગ્રોસ વજન. સામાન્ય રીતે નેટ વજન + પેકેજિંગ સામગ્રી વજન. (પ્રિન્ટ માટે) @@ -2999,8 +3010,9 @@ 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} અપર્ણ ન કરાય ખરીદી DocType: Customs Tariff Number,Tariff Number,જકાત સંખ્યા +DocType: Production Order Item,Available Qty at WIP Warehouse,ડબલ્યુઆઇપી વેરહાઉસ પર ઉપલબ્ધ Qty apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,અંદાજિત -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},સીરીયલ કોઈ {0} વેરહાઉસ ને અનુલક્ષતું નથી {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},સીરીયલ કોઈ {0} વેરહાઉસ ને અનુલક્ષતું નથી {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,"નોંધ: {0} જથ્થો કે રકમ 0 છે, કારણ કે ડિલિવરી ઉપર અને ઉપર બુકિંગ વસ્તુ માટે સિસ્ટમ તપાસ કરશે નહીં" DocType: Notification Control,Quotation Message,અવતરણ સંદેશ DocType: Employee Loan,Employee Loan Application,કર્મચારીનું લોન અરજી @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ઉતારેલ માલની કિંમત વાઉચર જથ્થો apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,સપ્લાયર્સ દ્વારા ઉઠાવવામાં બીલો. DocType: POS Profile,Write Off Account,એકાઉન્ટ માંડવાળ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ડેબિટ નોટ એએમટી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ડેબિટ નોટ એએમટી apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ડિસ્કાઉન્ટ રકમ 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 +207,e.g. VAT,દા.ત. વેટ +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,પેટા કરાર @@ -3032,7 +3044,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 +1945,Please select customer,કૃપા કરીને ગ્રાહક પસંદ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,કૃપા કરીને ગ્રાહક પસંદ DocType: C-Form,I,હું DocType: Company,Asset Depreciation Cost Center,એસેટ અવમૂલ્યન કિંમત કેન્દ્ર DocType: Sales Order Item,Sales Order Date,સેલ્સ ઓર્ડર તારીખ @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,DESC સરનામું apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,પાર્ટી ફરજિયાત છે DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,વિષય નામ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,વેચાણ અથવા ખરીદી ઓછામાં ઓછા એક પસંદ કરેલ હોવું જ જોઈએ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,વેચાણ અથવા ખરીદી ઓછામાં ઓછા એક પસંદ કરેલ હોવું જ જોઈએ apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,તમારા વેપાર સ્વભાવ પસંદ કરો. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},રો # {0}: ડુપ્લિકેટ સંદર્ભો એન્ટ્રી {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ઉત્પાદન કામગીરી જ્યાં ધરવામાં આવે છે. @@ -3070,7 +3082,7 @@ 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} DocType: Employee,Confirmation Date,સમર્થન તારીખ DocType: C-Form,Total Invoiced Amount,કુલ ભરતિયું રકમ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,મીન Qty મેક્સ Qty કરતાં વધારે ન હોઈ શકે +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,મીન Qty મેક્સ Qty કરતાં વધારે ન હોઈ શકે DocType: Account,Accumulated Depreciation,સંચિત અવમૂલ્યન DocType: Stock Entry,Customer or Supplier Details,ગ્રાહક અથવા સપ્લાયર વિગતો DocType: Employee Loan Application,Required by Date,તારીખ દ્વારા જરૂરી @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ઓર્ડ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,કંપની નામ કંપની ન હોઈ શકે apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,પ્રિન્ટ નમૂનાઓ માટે પત્ર ચેતવણી. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,પ્રિન્ટ ટેમ્પલેટો માટે શિર્ષકો કાચું ભરતિયું દા.ત.. +DocType: Program Enrollment,Walking,વોકીંગ DocType: Student Guardian,Student Guardian,વિદ્યાર્થી ગાર્ડિયન apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,મૂલ્યાંકન પ્રકાર ખર્ચ વ્યાપક તરીકે ચિહ્નિત નથી કરી શકો છો DocType: POS Profile,Update Stock,સુધારા સ્ટોક -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,પુરવઠોકર્તા> પુરવઠોકર્તા પ્રકાર apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,વસ્તુઓ માટે વિવિધ UOM ખોટી (કુલ) નેટ વજન કિંમત તરફ દોરી જશે. દરેક વસ્તુ ચોખ્ખી વજન જ UOM છે કે તેની ખાતરી કરો. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM દર DocType: Asset,Journal Entry for Scrap,સ્ક્રેપ માટે જર્નલ પ્રવેશ @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,બતાવો કર બ્રેક અપ apps/erpnext/erpnext/accounts/party.py +308,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,કોઈ વિદ્યાર્થીઓ મળ્યો @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,કોઈ વિદ્યાર્થી +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 +108,Please enter 'Expected Delivery Date','અપેક્ષા બોલ તારીખ' દાખલ કરો apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,અમાન્ય GSTIN અથવા બિનનોંધાયેલ માટે NA દાખલ +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3221,23 @@ DocType: Sales Team,Contribution (%),યોગદાન (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,નોંધ: ચુકવણી એન્ટ્રી થી બનાવી શકાય નહીં 'કેશ અથવા બેન્ક એકાઉન્ટ' સ્પષ્ટ કરેલ ન હતી apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,જવાબદારીઓ DocType: Expense Claim Account,Expense Claim Account,ખર્ચ દાવો એકાઉન્ટ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} સેટઅપ> સેટિંગ્સ દ્વારા> નામકરણ સિરીઝ માટે સિરીઝ નામકરણ સેટ કરો 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,વપરાશકર્તાઓ ઉમેરો 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 કરતાં વધુ ન હોઈ શકે. DocType: Stock Reconciliation Item,Before reconciliation,સમાધાન પહેલાં apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},માટે {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),કર અને ખર્ચ ઉમેરાયેલ (કંપની ચલણ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,વસ્તુ ટેક્સ રો {0} પ્રકાર વેરો કે આવક અથવા ખર્ચ અથવા લેવાપાત્ર કારણે હોવી જ જોઈએ +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,વસ્તુ ટેક્સ રો {0} પ્રકાર વેરો કે આવક અથવા ખર્ચ અથવા લેવાપાત્ર કારણે હોવી જ જોઈએ DocType: Sales Order,Partly Billed,આંશિક ગણાવી apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,વસ્તુ {0} એક નિશ્ચિત એસેટ વસ્તુ જ હોવી જોઈએ DocType: Item,Default BOM,મૂળભૂત BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ડેબિટ નોટ રકમ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ડેબિટ નોટ રકમ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ફરીથી લખો કંપની નામ ખાતરી કરવા માટે કરો -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,કુલ બાકી એએમટી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,કુલ બાકી એએમટી DocType: Journal Entry,Printing Settings,પ્રિન્ટિંગ સેટિંગ્સ DocType: Sales Invoice,Include Payment (POS),ચુકવણી સમાવેશ થાય છે (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},કુલ ડેબિટ કુલ ક્રેડિટ માટે સમાન હોવો જોઈએ. તફાવત છે {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ઓટ DocType: Vehicle,Insurance Company,વીમા કંપની DocType: Asset Category Account,Fixed Asset Account,સ્થિર એસેટ એકાઉન્ટ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,વેરિયેબલ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ડ લવર નોંધ +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ડ લવર નોંધ DocType: Student,Student Email Address,વિદ્યાર્થી ઇમેઇલ સરનામું DocType: Timesheet Detail,From Time,સમય apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ઉપલબ્ધ છે: DocType: Notification Control,Custom Message,કસ્ટમ સંદેશ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ઇન્વેસ્ટમેન્ટ બેન્કિંગ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,કેશ અથવા બેન્ક એકાઉન્ટ ચુકવણી પ્રવેશ બનાવવા માટે ફરજિયાત છે -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ સેટઅપ મારફતે હાજરી શ્રેણી સંખ્યા> નંબરિંગ સિરીઝ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,વિદ્યાર્થી સરનામું 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 +1517,Address Name,એડ્રેસ નામ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,એડ્રેસ નામ DocType: Stock Entry,From BOM,BOM થી DocType: Assessment Code,Assessment Code,આકારણી કોડ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,મૂળભૂત @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં. +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/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,માસિક ચુકવણી રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,વિદ્યાર્થી પહેલેથી પ્રવેશ છે. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,પ્રક્રિયા પેર apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,કામ દિવસો કરતાં વધુ રજાઓ આ મહિને છે. DocType: Product Bundle Item,Product Bundle Item,ઉત્પાદન બંડલ વસ્તુ DocType: Sales Partner,Sales Partner Name,વેચાણ ભાગીદાર નામ -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,સુવાકયો માટે વિનંતી +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,સુવાકયો માટે વિનંતી DocType: Payment Reconciliation,Maximum Invoice Amount,મહત્તમ ભરતિયું જથ્થા DocType: Student Language,Student Language,વિદ્યાર્થી ભાષા apps/erpnext/erpnext/config/selling.py +23,Customers,ગ્રાહકો @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,આંશિક ઘટાડો DocType: Issue,Opening Time,ઉદઘાટન સમય apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,પ્રતિ અને જરૂરી તારીખો apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,સિક્યોરિટીઝ એન્ડ કોમોડિટી એક્સચેન્જો -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',વેરિએન્ટ માટે માપવા એકમ મૂળભૂત '{0}' નમૂનો તરીકે જ હોવી જોઈએ '{1}' +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 +847,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,કાચો માલ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ડિસ્કાઉન્ટ રકમ બાદ કર જથ્થો @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,તારીખ ઓપનિંગ તારીખ બંધ કરતા પહેલા પ્રયત્ન કરીશું -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} સેટઅપ> સેટિંગ્સ દ્વારા> નામકરણ સિરીઝ માટે સિરીઝ નામકરણ સેટ કરો 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.,દિવસો કે જેના માટે રજાઓ આ વિભાગ માટે બ્લોક કરી દેવામાં આવે છે. @@ -3330,8 +3341,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',શ્રેણી 'મૂલ્યાંકન' અથવા 'મૂલ્યાંકન અને કુલ' માટે છે જ્યારે કપાત કરી શકો છો -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},શ્રેણીબદ્ધ વસ્તુ માટે સીરીયલ અમે જરૂરી {0} +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/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,બેન્ક એન્ટ્રી DocType: Authorization Rule,Applicable To (Designation),લાગુ કરો (હોદ્દો) @@ -3348,7 +3359,7 @@ 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 +270,Hour,કલાક +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,તમે બ્લોક તારીખો પર પાંદડા મંજૂર કરવા માટે અધિકૃત નથી @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,વેચાણ પોઇન્ટ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,વેચાણ પોઇન્ટ DocType: Payment Entry,Received Amount,મળેલી રકમ DocType: GST Settings,GSTIN Email Sent On,GSTIN ઇમેઇલ પર મોકલ્યું DocType: Program Enrollment,Pick/Drop by Guardian,ચૂંટો / પાલક દ્વારા ડ્રોપ @@ -3373,8 +3384,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 +270,Gram,ગ્રામ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ. +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/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% છે. @@ -3399,14 +3410,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 +465,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,બહુવિધ કર્મચારીઓ માટે માર્ક એટેન્ડન્સ @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0} DocType: Leave Allocation,Unused leaves,નહિં વપરાયેલ પાંદડા apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,લાખોમાં DocType: Tax Rule,Billing State,બિલિંગ રાજ્ય @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},અમાન્ય લક્ષણ {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',કૃપા કરીને આકારણી 'તમામ એસેસમેન્ટ જૂથો' કરતાં અન્ય જૂથ પસંદ @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,પગાર ઘટક DocType: Program Enrollment Tool,New Academic Year,નવા શૈક્ષણિક વર્ષ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,રીટર્ન / ક્રેડિટ નોટ DocType: Stock Settings,Auto insert Price List rate if missing,ઓટો સામેલ ભાવ યાદી દર ગુમ તો -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,કુલ ભરપાઈ રકમ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,કુલ ભરપાઈ રકમ DocType: Production Order Item,Transferred Qty,પરિવહન Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,શોધખોળ 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 +272,We sell this Item,અમે આ આઇટમ વેચાણ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,નમૂના ડેટા 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,અડધા દિવસ તારીખ @@ -3640,7 +3653,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 +1186,Please set Company,સેટ કરો કંપની +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,સેટ કરો કંપની DocType: Pricing Rule,Buying,ખરીદી DocType: HR Settings,Employee Records to be created by,કર્મચારીનું રેકોર્ડ્સ દ્વારા બનાવી શકાય DocType: POS Profile,Apply Discount On,લાગુ ડિસ્કાઉન્ટ પર @@ -3656,13 +3669,14 @@ 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,ફી એકઠી DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},બારકોડ {0} પહેલાથી જ વસ્તુ ઉપયોગ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},બારકોડ {0} પહેલાથી જ વસ્તુ ઉપયોગ {1} DocType: Lead,Add to calendar on this date,આ તારીખ પર કૅલેન્ડર ઉમેરો apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,શિપિંગ ખર્ચ ઉમેરવા માટે નિયમો. DocType: Item,Opening Stock,ખુલવાનો સ્ટોક apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ગ્રાહક જરૂરી છે apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} રીટર્ન ફરજિયાત છે DocType: Purchase Order,To Receive,પ્રાપ્ત +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,વ્યક્તિગત ઇમેઇલ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,કુલ ફેરફાર DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","જો સક્રિય હોય તો, સિસ્ટમ આપોઆપ યાદી માટે એકાઉન્ટિંગ પ્રવેશો પોસ્ટ થશે." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ધોરણ વેચાણ @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,વોરંટી બહાર DocType: BOM Replace Tool,Replace,બદલો apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,કોઈ ઉત્પાદનો મળી. -DocType: Production Order,Unstopped,ઉઘાડવામાં apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} સેલ્સ ભરતિયું સામે {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,પ્રોજેક્ટ નામ @@ -3692,6 +3705,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} 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} અથવા પહેલેથી જ અન્ય વાઉચર સામે મેળ ખાતી એકાઉન્ટ નથી @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,ત્યારથી તે અવગણવામાં વસ્તુ {0} સ્ટોક વસ્તુ નથી +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 +40,Submit this Production Order for further processing.,વધુ પ્રક્રિયા માટે આ ઉત્પાદન ઓર્ડર સબમિટ કરો. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,નોકરીઓ @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),દર (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","જાતે કરતાં અન્ય, તમારી સંસ્થા માટે વપરાશકર્તાઓ ઉમેરો" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',કૃપા કરીને કંપની ખાલી ફિલ્ટર સેટ જો ગ્રુપ દ્વારા 'કંપની' છે apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,પોસ્ટ તારીખ ભવિષ્યના તારીખ ન હોઈ શકે apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ROW # {0}: સીરીયલ કોઈ {1} સાથે મેળ ખાતું નથી {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,પરચુરણ રજા @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,સ્ટોક ખાતાવ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. કોલમ ખાલી હોવા જ જોઈએ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. કોલમ ખાલી હોવા જ જોઈએ DocType: Accounts Settings,Accounts Settings,સેટિંગ્સ એકાઉન્ટ્સ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,મંજૂર DocType: Customer,Sales Partner and Commission,વેચાણ ભાગીદાર અને કમિશન @@ -3787,7 +3803,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 +62,{0} items produced,{0} બનતી વસ્તુઓ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,રીટર્ન @@ -3801,7 +3817,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,વિનિમય દર -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,ફ્લીટ મેનેજમેન્ટ @@ -3826,18 +3842,18 @@ 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 +705,Online,ઓનલાઇન +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} અક્ષમ કરવામાં આવ્યું છે DocType: Employee Loan,Repay Fixed Amount per Period,ચુકવણી સમય દીઠ નિશ્ચિત રકમ apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},વસ્તુ માટે જથ્થો દાખલ કરો {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ક્રેડિટ નોટ એએમટી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ક્રેડિટ નોટ એએમટી DocType: Employee External Work History,Employee External Work History,કર્મચારીનું બાહ્ય કામ ઇતિહાસ DocType: Tax Rule,Purchase,ખરીદી apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,બેલેન્સ Qty @@ -3862,7 +3878,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 +2383,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો DocType: Employee,Encashment Date,એન્કેશમેન્ટ તારીખ DocType: Training Event,Internet,ઈન્ટરનેટ DocType: Account,Stock Adjustment,સ્ટોક એડજસ્ટમેન્ટ @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,ધ ગાર્ડિયન DocType: Grading Scale Interval,Threshold,થ્રેશોલ્ડ DocType: BOM Replace Tool,Current BOM,વર્તમાન BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,સીરીયલ કોઈ ઉમેરો +DocType: Production Order Item,Available Qty at Source Warehouse,સોર્સ વેરહાઉસ પર ઉપલબ્ધ Qty apps/erpnext/erpnext/config/support.py +22,Warranty,વોરંટી DocType: Purchase Invoice,Debit Note Issued,ડેબિટ નોટ જારી DocType: Production Order,Warehouses,વખારો @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,રકમ ચ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,પ્રોજેક્ટ મેનેજર ,Quoted Item Comparison,નોંધાયેલા વસ્તુ સરખામણી apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,રવાનગી -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,આઇટમ માટે મંજૂરી મેક્સ ડિસ્કાઉન્ટ: {0} {1}% છે +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 +279,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 +879,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે" DocType: Item,Material Issue,મહત્વનો મુદ્દો DocType: Hub Settings,Seller Description,વિક્રેતા વર્ણન DocType: Employee Education,Qualification,લાયકાત @@ -3936,7 +3953,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 +200,Cannot cancel because submitted Stock Entry {0} exists,સબમિટ સ્ટોક એન્ટ્રી {0} અસ્તિત્વમાં છે કારણ કે રદ કરી શકાતી નથી +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,સબમિટ સ્ટોક એન્ટ્રી {0} અસ્તિત્વમાં છે કારણ કે રદ કરી શકાતી નથી DocType: Employee Loan,Disbursement Date,વહેંચણી તારીખ DocType: Vehicle,Vehicle,વાહન DocType: Purchase Invoice,In Words,શબ્દો માં @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",મૂળભૂત તરીકે ચાલુ નાણાકીય વર્ષના સુયોજિત કરવા માટે 'મૂળભૂત તરીકે સેટ કરો' પર ક્લિક કરો apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,જોડાઓ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,અછત Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર DocType: Employee Loan,Repay from Salary,પગારની ચુકવણી DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},સામે ચુકવણી વિનંતી {0} {1} રકમ માટે {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,સીરીયલ કોઈ {0} પહેલાથી જ પ્રાપ્ત કરવામાં આવ્યો છે +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: Expense Claim,Vehicle Log,વાહન પ્રવેશ DocType: Purchase Invoice,Recurring Id,રીકરીંગ આઈડી DocType: Customer,Sales Team Details,સેલ્સ ટીમ વિગતો -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,કાયમી કાઢી નાખો? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},અમાન્ય {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},અમાન્ય {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,માંદગી રજા DocType: Email Digest,Email Digest,ઇમેઇલ ડાયજેસ્ટ DocType: Delivery Note,Billing Address Name,બિલિંગ સરનામું નામ @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,લેવાપાત્ર DocType: Company,Change Abbreviation,બદલો સંક્ષેપનો DocType: Expense Claim Detail,Expense Date,ખર્ચ તારીખ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,આઇટમ code> આઇટમ ગ્રુપ> બ્રાન્ડ DocType: Item,Max Discount (%),મેક્સ ડિસ્કાઉન્ટ (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,છેલ્લે ઓર્ડર રકમ DocType: Task,Is Milestone,સિમાચિહ્ન છે @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,નવા કાર્યક્ર DocType: Item Attribute Value,Attribute Value,લક્ષણની કિંમત ,Itemwise Recommended Reorder Level,મુદ્દાવાર પુનઃક્રમાંકિત કરો સ્તર ભલામણ DocType: Salary Detail,Salary Detail,પગાર વિગતવાર -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,પ્રથમ {0} પસંદ કરો -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,વસ્તુ બેચ {0} {1} સમયસીમા સમાપ્ત થઈ ગઈ છે. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,પ્રથમ {0} પસંદ કરો +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,વસ્તુ બેચ {0} {1} સમયસીમા સમાપ્ત થઈ ગઈ છે. DocType: Sales Invoice,Commission,કમિશન apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ઉત્પાદન માટે સમય શીટ. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,પેટાસરવાળો @@ -4047,12 +4065,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 +399,Operation Time must be greater than 0 for Operation {0},ઓપરેશન સમય ઓપરેશન કરતાં વધારે 0 હોવા જ જોઈએ {0} +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/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 +387,Production Order cannot be raised against a Item Template,ઉત્પાદન ઓર્ડર એક વસ્તુ ઢાંચો સામે ઊભા કરી શકાતી નથી +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,પ્રારંભ તારીખ @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,નિકાલ તારીખ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ઇમેઇલ્સ આપવામાં કલાક કંપની બધી સક્રિય કર્મચારીઓની મોકલવામાં આવશે, જો તેઓ રજા નથી. પ્રતિસાદ સારાંશ મધ્યરાત્રિએ મોકલવામાં આવશે." DocType: Employee Leave Approver,Employee Leave Approver,કર્મચારી રજા તાજનો -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","અવતરણ કરવામાં આવી છે, કારણ કે લોસ્ટ જાહેર કરી શકતા નથી." 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} સબમિટ હોવું જ જોઈએ ઉત્પાદન @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,વિદ્યાર્થી apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,સંસ્થા યુનિટ (વિભાગ) માસ્ટર. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,માન્ય મોબાઇલ અમે દાખલ કરો apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,મોકલતા પહેલા સંદેશ દાખલ કરો +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,સપ્લાયર માટે DUPLICATE DocType: Email Digest,Pending Quotations,સુવાકયો બાકી apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,એસએમએસ સેટિંગ્સ અપડેટ કરો @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,ખર્ચ કેન્દ્રને DocType: Employee,B+,બી + DocType: HR Settings,Max working hours against Timesheet,મેક્સ Timesheet સામે કામના કલાકો DocType: Maintenance Schedule Detail,Scheduled Date,અનુસૂચિત તારીખ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,કુલ ભરપાઈ એએમટી +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,કુલ ભરપાઈ એએમટી DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 અક્ષરો કરતાં વધારે સંદેશાઓ બહુવિધ સંદેશાઓ વિભાજિત કરવામાં આવશે DocType: Purchase Receipt Item,Received and Accepted,પ્રાપ્ત થઈ છે અને સ્વીકારાયું ,GST Itemised Sales Register,જીએસટી આઇટમાઇઝ્ડ સેલ્સ રજિસ્ટર @@ -4133,7 +4152,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 +237,Your Suppliers,તમારા સપ્લાયર્સ +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',કપાત કરી શકો છો જ્યારે શ્રેણી 'વેલ્યુએશન' અથવા 'Vaulation અને કુલ' માટે છે @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","ખરીદી સેટિંગ્સ મુજબ ખરીદી Reciept જરૂરી == 'હા' હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી રસીદ બનાવવા માટે જરૂર હોય તો {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,વસ્તુ {1} સાથે જોડાયેલ વેબસાઇટ છબી {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.,આ વેબસાઇટ પર બહુવિધ જૂથો આ આઇટમ યાદી. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,તે શ apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,વેરહાઉસ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,બધા વિદ્યાર્થી પ્રવેશ ,Average Commission Rate,સરેરાશ કમિશન દર -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,નોન-સ્ટોક વસ્તુ માટે સીરીયલ નંબર 'હા' કરી શકશો નહિ. +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,નોન-સ્ટોક વસ્તુ માટે સીરીયલ નંબર 'હા' કરી શકશો નહિ. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,એટેન્ડન્સ ભવિષ્યમાં તારીખો માટે ચિહ્નિત કરી શકાતી નથી DocType: Pricing Rule,Pricing Rule Help,પ્રાઇસીંગ નિયમ મદદ DocType: School House,House Name,હાઉસ નામ @@ -4176,7 +4195,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 +339,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,વીમા પ્રારંભ તારીખ કરતાં વીમા અંતિમ તારીખ ઓછી હોવી જોઈએ @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},કર્મચારી પગાર કાપલી {0} પહેલાથી જ સમય શીટ માટે બનાવવામાં {1} DocType: Vehicle Log,Odometer,ઑડોમીટર DocType: Sales Order Item,Ordered Qty,આદેશ આપ્યો Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે +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 +874,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 વિગતો apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,પગાર સ્લિપ બનાવો -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે ખરીદી, ચકાસાયેલ જ હોવું જોઈએ {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે ખરીદી, ચકાસાયેલ જ હોવું જોઈએ {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ડિસ્કાઉન્ટ કરતાં ઓછી 100 હોવી જ જોઈએ 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 +500,Default BOM for {0} not found,માટે {0} મળી નથી ડિફૉલ્ટ BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,કાર્યક્રમ પ્રવેશ DocType: Landed Cost Voucher,Landed Cost Voucher,ઉતારેલ માલની કિંમત વાઉચર @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,એમવી apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,અપેક્ષિત તારીખ સામગ્રી વિનંતી તારીખ પહેલાં ન હોઈ શકે DocType: Purchase Invoice Item,Stock Qty,સ્ટોક Qty -DocType: Production Order,Source Warehouse (for reserving Items),સોર્સ વેરહાઉસ (વસ્તુઓ આરક્ષિત માટે) DocType: Employee Loan,Repayment Period in Months,મહિના ચુકવણી સમય apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ભૂલ: માન્ય ID ને? DocType: Naming Series,Update Series Number,સુધારા સિરીઝ સંખ્યા @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,આયોજિત સમાપ્ત apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,વસ્તુઓ જ્યાં સંગ્રહાય છે. DocType: Request for Quotation,Supplier Detail,પુરવઠોકર્તા વિગતવાર apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},સૂત્ર અથવા શરત ભૂલ: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ભરતિયું રકમ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ભરતિયું રકમ DocType: Attendance,Attendance,એટેન્ડન્સ apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,સ્ટોક વસ્તુઓ DocType: BOM,Materials,સામગ્રી @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,સેટઅપ મારા સંસ્થા માટે એક સરળ વેબસાઇટ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0} DocType: Item,Default Warehouse,મૂળભૂત વેરહાઉસ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},બજેટ ગ્રુપ એકાઉન્ટ સામે અસાઇન કરી શકાતી નથી {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,પિતૃ ખર્ચ કેન્દ્રને દાખલ કરો @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો +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/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,આ કર્મચારીનું હાજરી પર આધારિત છે @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,વર્ષે શરૂ તારીખ DocType: Attendance,Employee Name,કર્મચારીનું નામ DocType: Sales Invoice,Rounded Total (Company Currency),ગોળાકાર કુલ (કંપની ચલણ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને સેટઅપ કર્મચારી માનવ સંસાધન માં નામકરણ સિસ્ટમ> એચઆર સેટિંગ્સ 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} સુધારાઈ ગયેલ છે. તાજું કરો. DocType: Leave Block List,Stop users from making Leave Applications on following days.,પછીના દિવસોમાં રજા કાર્યક્રમો બનાવવા વપરાશકર્તાઓ રોકો. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 વાંચન ,Hub,હબ DocType: GL Entry,Voucher Type,વાઉચર પ્રકાર -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી 'ડાબી' તરીકે @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,જથ્થો બદલી મ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},રો {0}: પાર્ટી / એકાઉન્ટ સાથે મેળ ખાતું નથી {1} / {2} માં {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ખર્ચ એકાઉન્ટ દાખલ કરો DocType: Account,Stock,સ્ટોક -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ" DocType: Employee,Current Address,અત્યારનું સરનામુ DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","સ્પષ્ટ સિવાય વસ્તુ પછી વર્ણન, છબી, ભાવો, કર નમૂનો સુયોજિત કરવામાં આવશે, વગેરે અન્ય વસ્તુ જ એક પ્રકાર છે, તો" DocType: Serial No,Purchase / Manufacture Details,ખરીદી / ઉત્પાદન વિગતો @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,ઘરનું સરનામું apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ટ્રાન્સફર એસેટ DocType: POS Profile,POS Profile,POS પ્રોફાઇલ DocType: Training Event,Event Name,ઇવેન્ટનું નામ -apps/erpnext/erpnext/config/schools.py +39,Admission,પ્રવેશ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,પ્રવેશ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},માટે પ્રવેશ {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} વસ્તુ એક નમૂનો છે, તેના ચલો એક પસંદ કરો" DocType: Asset,Asset Category,એસેટ વર્ગ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ખરીદનાર apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,નેટ પગાર નકારાત્મક ન હોઈ શકે DocType: SMS Settings,Static Parameters,સ્થિર પરિમાણો DocType: Assessment Plan,Room,રૂમ @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,વસ્તુ ટેક્સ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,સપ્લાયર સામગ્રી apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,એક્સાઇઝ ભરતિયું apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,થ્રેશોલ્ડ {0}% કરતાં વધુ એક વખત દેખાય છે +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ટેરિટરી 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,વર્તમાન જવાબદારીઓ @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,આગળ લઈ છે apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,રજૂ ન પગાર સ્લિપ ,Stock Summary,સ્ટોક સારાંશ diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv index b805d314dd..60a74b445d 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","הזמנת ייצור הפסיק אינה ניתנת לביטול, מגופתו הראשונה לביטול" +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/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.,* יחושב בעסקה. @@ -75,7 +75,7 @@ DocType: Delivery Note,Vehicle No,רכב לא apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,אנא בחר מחירון DocType: Production Order Operation,Work In Progress,עבודה בתהליך DocType: Employee,Holiday List,רשימת החג -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,חשב +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,חשב DocType: Cost Center,Stock User,משתמש המניה DocType: Company,Phone No,מס 'טלפון apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,קורס לוחות זמנים נוצרו: @@ -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 +269,Kg,קילוגרם +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +42,Not permitted for {0},חל איסור על {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,קבל פריטים מ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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,מכולת @@ -118,7 +118,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or " apps/erpnext/erpnext/config/stock.py +32,Stock Reports,דוחות במלאי DocType: Warehouse,Warehouse Detail,פרט מחסן apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},מסגרת אשראי נחצתה ללקוחות {0} {1} / {2} -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""האם רכוש קבוע" לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט" +apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""האם רכוש קבוע" לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט" DocType: Tax Rule,Tax Type,סוג המס 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),תמונת פריט (אם לא מצגת) @@ -146,14 +146,14 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,"נדל""ן" -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,הצהרה של חשבון +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,תרופות DocType: Purchase Invoice Item,Is Fixed Asset,האם קבוע נכסים apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","כמות זמינה הוא {0}, אתה צריך {1}" 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 +266,Consumable,מתכלה +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,משוך בקשת חומר של ייצור סוג בהתבסס על הקריטריונים לעיל @@ -173,7 +173,7 @@ 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 +302,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית +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/config/hr.py +214,Settings for HR Module,הגדרות עבור מודול HR DocType: SMS Center,SMS Center,SMS מרכז @@ -215,25 +215,25 @@ DocType: Leave Type,Allow Negative Balance,לאפשר מאזן שלילי DocType: Selling Settings,Default Territory,טריטורית ברירת מחדל apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,טלוויזיה DocType: Production Order Operation,Updated via 'Time Log',"עדכון באמצעות 'יומן זמן """ -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},הסכום מראש לא יכול להיות גדול מ {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},הסכום מראש לא יכול להיות גדול מ {0} {1} 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 +177,For Warehouse is required before Submit,למחסן נדרש לפני הגשה +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +2256,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,שם איש קשר +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,אין תיאור נתון @@ -243,19 +243,19 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות 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 +189,Warehouse {0} does not belong to company {1},מחסן {0} אינו שייך לחברת {1} -apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,לִיטר +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,לִיטר 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,השאר חסימה -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,פוסט בנק apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,שנתי 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 +316,People who teach at your organisation,אנשים המלמדים בארגון שלך +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,להזמין כמות מינימום @@ -263,7 +263,7 @@ DocType: Pricing Rule,Supplier Type,סוג ספק DocType: Course Scheduling Tool,Course Start Date,תאריך פתיחת הקורס DocType: Item,Publish in Hub,פרסם בHub ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,פריט {0} יבוטל +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,פריט {0} יבוטל apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,בקשת חומר DocType: Bank Reconciliation,Update Clearance Date,תאריך שחרור עדכון DocType: Item,Purchase Details,פרטי רכישה @@ -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 +368,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,שגיאת הפניה מעגלית @@ -314,7 +314,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,סיכום השבוע הזה ופעילויות תלויות ועומדות DocType: Student Applicant,Admitted,רישיון DocType: Workstation,Rent Cost,עלות השכרה @@ -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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -403,7 +403,7 @@ DocType: Notification Control,Customize the introductory text that goes as a par apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,הגדרות גלובליות עבור כל תהליכי הייצור. DocType: Accounts Settings,Accounts Frozen Upto,חשבונות קפואים Upto DocType: SMS Log,Sent On,נשלח ב -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות DocType: HR Settings,Employee record is created using selected field. ,שיא עובד שנוצר באמצעות שדה שנבחר. DocType: Sales Order,Not Applicable,לא ישים apps/erpnext/erpnext/config/hr.py +70,Holiday master.,אב חג. @@ -431,7 +431,7 @@ 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 +219,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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,קצין מנהלי @@ -441,7 +441,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,נא להזין את המחסן שלבקשת חומר יועלה DocType: Production Order,Additional Operating Cost,עלות הפעלה נוספות apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,קוסמטיקה -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים" DocType: Shipping Rule,Net Weight,משקל נטו DocType: Employee,Emergency Phone,טל 'חירום apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,לִקְנוֹת @@ -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 +2428,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,קבלנות משנה ניהול @@ -468,7 +468,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,להוסיף מסים / עריכה וחיובים DocType: Purchase Invoice,Supplier Invoice No,ספק חשבונית לא DocType: Territory,For reference,לעיון -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","לא יכול למחוק את מספר סידורי {0}, כפי שהוא משמש בעסקות מניות" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","לא יכול למחוק את מספר סידורי {0}, כפי שהוא משמש בעסקות מניות" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),סגירה (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,פריט העבר DocType: Serial No,Warranty Period (Days),תקופת אחריות (ימים) @@ -488,7 +488,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,אנא בחר סוג החברה והמפלגה ראשון apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,כספי לשנה / חשבונאות. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ערכים מצטברים -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","מצטער, לא ניתן למזג מס סידורי" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","מצטער, לא ניתן למזג מס סידורי" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,הפוך להזמין מכירות DocType: Project Task,Project Task,פרויקט משימה ,Lead Id,זיהוי ליד @@ -514,7 +514,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,מאגר מידע DocType: Quotation,Quotation To,הצעת מחיר ל DocType: Lead,Middle Income,הכנסה התיכונה apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),פתיחה (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,סכום שהוקצה אינו יכול להיות שלילי DocType: Purchase Order Item,Billed Amt,Amt שחויב DocType: Warehouse,A logical Warehouse against which stock entries are made.,מחסן לוגי שנגדו מרשמו רשומות מלאי @@ -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 +320,Timesheet created:,גיליון נוצר: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,לְהִרָשֵׁם DocType: Selling Settings,Customer Naming By,Naming הלקוח על ידי DocType: Depreciation Schedule,Depreciation Amount,סכום הפחת @@ -577,7 +577,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timest 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 +139,Finish,סִיוּם +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,סִיוּם DocType: Journal Entry,Write Off Amount,לכתוב את הסכום DocType: Journal Entry,Bill No,ביל לא DocType: Company,Gain/Loss Account on Asset Disposal,חשבון רווח / הפסד בעת מימוש נכסים @@ -600,7 +600,7 @@ DocType: Account,Expenses Included In Valuation,הוצאות שנכללו בהע DocType: Hub Settings,Seller City,מוכר עיר DocType: Email Digest,Next email will be sent on:,"הדוא""ל הבא יישלח על:" DocType: Offer Letter Term,Offer Letter Term,להציע מכתב לטווח -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,יש פריט גרסאות. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,יש פריט גרסאות. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,פריט {0} לא נמצא DocType: Bin,Stock Value,מניית ערך apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,החברה {0} לא קיים @@ -642,12 +642,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","חוקי מחיר מרובים קיימים עם אותם הקריטריונים, בבקשה לפתור את סכסוך על ידי הקצאת עדיפות. חוקי מחיר: {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 כפי שהוא מקושר עם עצי מוצר אחרים 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 +48,Make Timesheet,הפוך גיליון +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -683,12 +683,12 @@ 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,רקע משפחתי DocType: Request for Quotation Supplier,Send Email,שלח אי-מייל -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},אזהרה: קובץ מצורף לא חוקי {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,אין אישור +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},אזהרה: קובץ מצורף לא חוקי {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,אין אישור 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 +269,Nos,מס +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} יש להגיש @@ -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 +274,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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 @@ -775,14 +775,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, ,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} חייב להיות פעיל +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} לפני ביטול תחזוקת הביקור הזה -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},מספר סידורי {0} אינו שייך לפריט {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},מספר סידורי {0} אינו שייך לפריט {1} DocType: Purchase Receipt Item Supplied,Required Qty,חובה כמות apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,מחסן עם עסקה קיימת לא ניתן להמיר לדג'ר. DocType: Bank Reconciliation,Total Amount,"סה""כ לתשלום" @@ -798,7 +798,7 @@ DocType: Supplier,Default Payable Accounts,חשבונות לתשלום בריר apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,עובד {0} אינו פעיל או שאינו קיים apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},נא להזין קטגורית Asset בסעיף {0} DocType: Quality Inspection Reading,Reading 6,קריאת 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית DocType: Purchase Invoice Advance,Purchase Invoice Advance,לרכוש חשבונית מראש DocType: Hub Settings,Sync Now,Sync עכשיו apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},שורת {0}: כניסת אשראי לא יכולה להיות מקושרת עם {1} @@ -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 +731,New Sales Invoice,חשבונית מכירת בתים חדשה +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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,בקשה לקבלת מידע @@ -843,8 +843,8 @@ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +30,"Row {0}: Invoice {1} Please enter a valid Invoice","שורת {0}: חשבונית {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 +733,All items have already been transferred for this Production Order.,כל הפריטים כבר הועברו להזמנת ייצור זה. -apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,מטר +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,מטר DocType: Workstation,Electricity Cost,עלות חשמל DocType: HR Settings,Don't send Employee Birthday Reminders,אל תשלחו לעובדי יום הולדת תזכורות DocType: Item,Inspection Criteria,קריטריונים לבדיקה @@ -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 +259,Qty for {0},כמות עבור {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,השאר תאריכי בלוק רשימה @@ -878,9 +878,9 @@ DocType: Packing Slip Item,Packing Slip Item,פריט Slip אריזה DocType: Purchase Invoice,Cash/Bank Account,מזומנים / חשבון בנק apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,פריטים הוסרו ללא שינוי בכמות או ערך. DocType: Delivery Note,Delivery To,משלוח ל -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,שולחן תכונה הוא חובה +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,שולחן תכונה הוא חובה DocType: Production Planning Tool,Get Sales Orders,קבל הזמנות ומכירות -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} אינו יכול להיות שלילי +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} אינו יכול להיות שלילי apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,דיסקונט DocType: Asset,Total Number of Depreciations,מספר כולל של פחת DocType: Workstation,Wages,שכר @@ -926,7 +926,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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,מעובדים @@ -947,7 +947,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,מפיץ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,כלל משלוח סל קניות apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,ייצור להזמין {0} יש לבטל לפני ביטול הזמנת מכירות זה -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',אנא הגדר 'החל הנחה נוספות ב' +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,מהטווח צריך להיות פחות מטווח DocType: Global Defaults,Global Defaults,ברירות מחדל גלובליות @@ -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 +347,Capacity Planning Error,שגיאת תכנון קיבולת +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,שגיאת תכנון קיבולת ,Trial Balance for Party,מאזן בוחן למפלגה DocType: Lead,Consultant,יועץ DocType: Salary Slip,Earnings,רווחים @@ -971,7 +971,7 @@ DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary DocType: Purchase Invoice,Is Return,האם חזרה DocType: Price List Country,Price List Country,מחיר מחירון מדינה DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} nos סדרתי תקף עבור פריט {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nos סדרתי תקף עבור פריט {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,קוד פריט לא ניתן לשנות למס 'סידורי apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},פרופיל קופה {0} כבר נוצר עבור משתמש: {1} והחברה {2} DocType: Sales Invoice Item,UOM Conversion Factor,אוני 'מישגן המרת פקטור @@ -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 +675,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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,לידים @@ -1013,7 +1013,7 @@ DocType: Announcement,All Students,כל הסטודנטים apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,פריט {0} חייב להיות לפריט שאינו מוחזק במלאי 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 +511,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,פריט {0} לא יכול להיות אצווה ,Budget Variance Report,תקציב שונות דווח @@ -1034,7 +1034,7 @@ 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 +288,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב DocType: Purchase Invoice,Rejected Warehouse,מחסן שנדחו DocType: GL Entry,Against Voucher,נגד שובר DocType: Item,Default Buying Cost Center,מרכז עלות רכישת ברירת מחדל @@ -1044,7 +1044,7 @@ DocType: 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 +65,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} @@ -1060,14 +1060,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,מקום ההנפקה apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,חוזה DocType: Email Digest,Add Quote,להוסיף ציטוט -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,המוצרים או השירותים שלך +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,המוצרים או השירותים שלך DocType: Mode of Payment,Mode of Payment,מצב של תשלום -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט +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 apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,מדובר בקבוצת פריט שורש ולא ניתן לערוך. DocType: Journal Entry Account,Purchase Order,הזמנת רכש @@ -1079,14 +1079,13 @@ 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 +562,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","כלל תמחור נבחר ראשון המבוססת על 'החל ב'שדה, אשר יכול להיות פריט, קבוצת פריט או מותג." 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" -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},מעמד הזמנת ייצור הוא {0} DocType: Appraisal Goal,Goal,מטרה DocType: Sales Invoice Item,Edit Description,עריכת תיאור apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +782,For Supplier,לספקים @@ -1101,12 +1100,12 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ילד מחסן קיים מחסן זה. אתה לא יכול למחוק את המחסן הזה. DocType: Item,Website Item Groups,קבוצות פריט באתר DocType: Purchase Invoice,Total (Company Currency),סה"כ (חברת מטבע) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,מספר סידורי {0} נכנס יותר מפעם אחת +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 +78,{0} items in progress,{0} פריטי התקדמות +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,זהו המספר של העסקה יצרה האחרונה עם קידומת זו @@ -1169,7 +1168,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries 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 +260,Max: {0},מקס: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,יומן תקשורת. @@ -1179,7 +1178,7 @@ DocType: Sales Invoice,Shipping Address Name,שם כתובת למשלוח apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,תרשים של חשבונות DocType: Material Request,Terms and Conditions Content,תוכן תנאים והגבלות apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,לא יכול להיות גדול מ 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות DocType: Maintenance Visit,Unscheduled,לא מתוכנן DocType: Employee,Owned,בבעלות DocType: Salary Detail,Depends on Leave Without Pay,תלוי בחופשה ללא תשלום @@ -1206,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 +273,We buy this Item,אנחנו קונים פריט זה +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 +266,Sub Assemblies,הרכבות תת +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,הרכבות תת DocType: Asset,Asset Name,שם נכס DocType: Shipping Rule Condition,To Value,לערך DocType: Asset Movement,Stock Manager,ניהול מלאי @@ -1239,7 +1238,7 @@ DocType: Cost Center,Parent Cost Center,מרכז עלות הורה DocType: Sales Invoice,Source,מקור 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 +239,Asset Category is mandatory for Fixed Asset item,קטגורית נכסים היא חובה עבור פריט רכוש קבוע +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,קטגורית נכסים היא חובה עבור פריט רכוש קבוע apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,לא נמצא רשומות בטבלת התשלום apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} זו מתנגשת עם {1} עבור {2} {3} DocType: Student Attendance Tool,Students HTML,HTML סטודנטים @@ -1278,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 +269,Box,תיבה +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,הפקת תכנית להזמין מכירות @@ -1316,24 +1315,24 @@ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +20,Res apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,הפוך הצעת מחיר apps/erpnext/erpnext/config/selling.py +216,Other Reports,דוחות נוספים DocType: Dependent Task,Dependent Task,משימה תלויה -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0} +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},Leave מסוג {0} אינו יכול להיות ארוך מ- {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,נסה לתכנן פעולות לימי X מראש. DocType: HR Settings,Stop Birthday Reminders,Stop יום הולדת תזכורות 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 +403,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 +601,Already completed,הושלם כבר +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/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 +263,Quantity must not be more than {0},כמות לא חייבת להיות יותר מ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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: Account,Account Name,שם חשבון apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,מתאריך לא יכול להיות גדול יותר מאשר תאריך -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,לא {0} כמות סידורי {1} לא יכולה להיות חלק +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,לא {0} כמות סידורי {1} לא יכולה להיות חלק apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,סוג ספק אמן. 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 @@ -1384,7 +1383,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,כולל חגים DocType: Sales Invoice,Packed Items,פריטים ארוזים apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,הפעיל אחריות נגד מס 'סידורי DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","החלף BOM מסוים בכל עצי המוצר האחרים שבם נעשה בו שימוש. הוא יחליף את קישור BOM הישן, לעדכן עלות ולהתחדש שולחן ""פריט פיצוץ BOM"" לפי BOM החדש" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','סה"כ' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','סה"כ' DocType: Shopping Cart Settings,Enable Shopping Cart,אפשר סל קניות DocType: Employee,Permanent Address,כתובת קבועה apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1445,7 +1444,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ראשי apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,קידומת להגדיר למספור סדרה על העסקות שלך DocType: Employee Attendance Tool,Employees HTML,עובד HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM ברירת המחדל ({0}) חייב להיות פעיל לפריט זה או התבנית שלה +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM ברירת המחדל ({0}) חייב להיות פעיל לפריט זה או התבנית שלה DocType: Employee,Leave Encashed?,השאר Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,הזדמנות מ השדה היא חובה DocType: Item,Variants,גרסאות @@ -1457,19 +1456,19 @@ 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 +175,Work-in-Progress Warehouse is required before Submit,עבודה ב-התקדמות המחסן נדרש לפני הגשה +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,מידע סטטוטורי ומידע כללי אחר על הספק שלך apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,נגד תנועת היומן {0} אין {1} כניסה ללא תחרות apps/erpnext/erpnext/config/hr.py +137,Appraisals,ערכות -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},לשכפל מספר סידורי נכנס לפריט {0} +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,אנא להגדיר מסנן מבוסס על פריט או מחסן 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 +546,BOM {0} must be submitted,BOM {0} יש להגיש +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,תשלום @@ -1483,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 +257,"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 +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.","רשימת המוצרים שלך או שירותים שאתה לקנות או למכור. הקפד לבדוק את קבוצת הפריט, יחידת המידה ונכסים אחרים בעת ההפעלה." 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,חבר @@ -1512,7 +1511,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,לקבל פריטים מתקבולי הרכישה DocType: Serial No,Creation Date,תאריך יצירה apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},פריט {0} מופיע מספר פעמים במחירון {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","מכירה חייבת להיבדק, אם לישים שנבחרה הוא {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","מכירה חייבת להיבדק, אם לישים שנבחרה הוא {0}" DocType: Production Plan Material Request,Material Request Date,תאריך בקשת חומר DocType: Purchase Order Item,Supplier Quotation Item,פריט הצעת המחיר של ספק DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,משבית יצירת יומני זמן נגד הזמנות ייצור. פעולות לא להיות במעקב נגד ההפקה להזמין @@ -1524,11 +1523,11 @@ apps/erpnext/erpnext/config/learn.py +263,Managing Projects,ניהול פרוי DocType: Supplier,Supplier of Goods or Services.,ספק של מוצרים או שירותים. DocType: Budget,Fiscal Year,שנת כספים DocType: Budget,Budget,תקציב -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,פריט רכוש קבוע חייב להיות לפריט שאינו מוחזק במלאי. +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,הושג apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,שטח / לקוחות -apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,לדוגמא 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,האם פריט מכירות @@ -1536,7 +1535,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 +263,A Product or Service,מוצר או שירות +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} נוצר @@ -1600,7 +1599,7 @@ apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing R 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 +269,Pair,זוג +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,זוג DocType: Asset,Depreciation Schedule,בתוספת פחת DocType: Bank Reconciliation Detail,Against Account,נגד חשבון DocType: Maintenance Schedule Detail,Actual Date,תאריך בפועל @@ -1613,8 +1612,8 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},קבוצת פריט שלא צוינה באב פריט לפריט {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים +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,חיוב החשבון חייב להיות חשבון חייבים 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,המרת פקטור @@ -1640,7 +1639,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank apps/erpnext/erpnext/accounts/doctype/account/account.js +53,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 +269,Unit,יחידה +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,מחסן שבו אתה שומר מלאי של פריטים דחו @@ -1657,7 +1656,7 @@ apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Re apps/erpnext/erpnext/controllers/accounts_controller.py +291,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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1} @@ -1665,7 +1664,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,סיווג של לקוחות מאזור לאזור apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,סכום ההבדל חייב להיות אפס DocType: Project,Gross Margin,שיעור רווח גולמי -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,אנא ראשון להיכנס פריט הפקה +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 +748,Quotation,הצעת מחיר @@ -1676,7 +1675,7 @@ 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: Opportunity,Customer / Lead Address,לקוחות / כתובת לידים -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},אזהרה: תעודת SSL לא חוקית בקובץ מצורף {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},אזהרה: תעודת SSL לא חוקית בקובץ מצורף {0} DocType: Production Order Operation,Actual Operation Time,בפועל מבצע זמן DocType: Authorization Rule,Applicable To (User),כדי ישים (משתמש) DocType: Purchase Taxes and Charges,Deduct,לנכות @@ -1691,10 +1690,10 @@ DocType: Appraisal,Calculate Total Score,חישוב ציון הכולל DocType: Request for Quotation,Manufacturing Manager,ייצור מנהל apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},מספר סידורי {0} הוא תחת אחריות upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,תעודת משלוח פצל לחבילות. -apps/erpnext/erpnext/hooks.py +87,Shipments,משלוחים +apps/erpnext/erpnext/hooks.py +94,Shipments,משלוחים DocType: Payment Entry,Total Allocated Amount (Company Currency),הסכום כולל שהוקצה (חברת מטבע) DocType: Purchase Order Item,To be delivered to customer,שיימסר ללקוח -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,מספר סידורי {0} אינו שייך לכל מחסן +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,מספר סידורי {0} אינו שייך לכל מחסן DocType: Purchase Invoice,In Words (Company Currency),במילים (חברת מטבע) DocType: Asset,Supplier,ספק DocType: C-Form,Quarter,רבעון @@ -1708,7 +1707,7 @@ 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 +408,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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,עלות רכישה חדשה @@ -1740,7 +1739,7 @@ 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,מנכ"ל DocType: Expense Claim Detail,Expense Claim Detail,פרטי תביעת חשבון -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,אנא בחר חשבון נכון +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,אנא בחר חשבון נכון DocType: Item,Weight UOM,המשקל של אוני 'מישגן DocType: Employee,Blood Group,קבוצת דם DocType: Production Order Operation,Pending,ממתין ל @@ -1757,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 +336,Debit To is required,חיוב נדרש +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,מנהל איכות @@ -1767,7 +1766,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,טכנולוגיה apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,להציע מכתב apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,צור בקשות חומר (MRP) והזמנות ייצור. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,"סה""כ חשבונית Amt" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,"סה""כ חשבונית Amt" 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,אשראי לחשבון חייב להיות חשבון לתשלום @@ -1776,7 +1775,7 @@ 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} אינו זמין DocType: Manufacturing Settings,Allow Overtime,לאפשר שעות נוספות -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} מספרים סידוריים הנדרשים לפריט {1}. שסיפקת {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} מספרים סידוריים הנדרשים לפריט {1}. שסיפקת {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,דרג הערכה נוכחי DocType: Item,Customer Item Codes,קודי פריט לקוחות apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange רווח / הפסד @@ -1837,17 +1836,17 @@ DocType: Leave Block List,Allow Users,אפשר למשתמשים DocType: Purchase Order,Customer Mobile No,לקוחות ניידים לא DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,עקוב אחר הכנסות והוצאות נפרדות לאנכי מוצר או חטיבות. DocType: Rename Tool,Rename Tool,שינוי שם כלי -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,עלות עדכון +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 +793,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 +1064,Please set recurring after saving,אנא קבע חוזר לאחר השמירה +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 +200,Add Taxes,להוסיף מסים +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,חשבון תקציב @@ -1882,7 +1881,7 @@ DocType: Employee Education,Post Graduate,הודעה בוגר DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,פרט לוח זמנים תחזוקה DocType: Quality Inspection Reading,Reading 9,קריאת 9 DocType: Supplier,Is Frozen,האם קפוא -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,צומת הקבוצה המחסנת אינו רשאי לבחור עבור עסקות +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,צומת הקבוצה המחסנת אינו רשאי לבחור עבור עסקות DocType: Buying Settings,Buying Settings,הגדרות קנייה DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM מס לפריט טוב מוגמר DocType: Upload Attendance,Attendance To Date,נוכחות לתאריך @@ -1896,12 +1895,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח." +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.js +153,You can not change rate if BOM mentioned agianst any item,אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט +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,לכמות apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},נא להזין מתוכננת כמות לפריט {0} בשורת {1} @@ -1920,7 +1919,7 @@ DocType: Delivery Note,Transporter Name,שם Transporter DocType: Authorization Rule,Authorized Value,ערך מורשה ,Minutes to First Response for Opportunity,דקות תגובה ראשונה הזדמנות apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,"סה""כ נעדר" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,פריט או מחסן לשורת {0} אינו תואם בקשת חומר +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,פריט או מחסן לשורת {0} אינו תואם בקשת חומר apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,יְחִידַת מִידָה DocType: Fiscal Year,Year End Date,תאריך סיום שנה DocType: Task Depends On,Task Depends On,המשימה תלויה ב @@ -1985,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},לא יכול לייצר יותר פריט {0} מאשר כמות להזמין מכירות {1} +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/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,עיר חיוב @@ -2066,7 +2065,7 @@ DocType: Appraisal Goal,Key Responsibility Area,פינת אחריות מפתח DocType: Payment Entry,Total Allocated Amount,סכום כולל שהוקצה DocType: Item Reorder,Material Request Type,סוג בקשת חומר 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 +20,Ref,"נ""צ" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,"נ""צ" DocType: Budget,Cost Center,מרכז עלות apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,# שובר DocType: Notification Control,Purchase Order Message,הזמנת רכש Message @@ -2081,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 +1165,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,הגדרות מניות @@ -2094,7 +2093,7 @@ DocType: Leave Control Panel,Leave Control Panel,השאר לוח הבקרה apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,לא במלאי DocType: Appraisal,HR User,משתמש HR DocType: Purchase Invoice,Taxes and Charges Deducted,מסים והיטלים שנוכה -apps/erpnext/erpnext/hooks.py +116,Issues,נושאים +apps/erpnext/erpnext/hooks.py +124,Issues,נושאים apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},מצב חייב להיות אחד {0} DocType: Sales Invoice,Debit To,חיוב ל DocType: Delivery Note,Required only for sample item.,נדרש רק עבור פריט מדגם. @@ -2126,12 +2125,12 @@ 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 +149,Quotation {0} is cancelled,ציטוט {0} יבוטל -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,סכום חוב סך הכל +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"יכולות להיות מתויגות כל עסקות המכירה מול אנשי מכירות ** ** מרובים, כך שאתה יכול להגדיר ולעקוב אחר מטרות." ,S.O. No.,SO מס ' -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},אנא ליצור לקוחות מהעופרת {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},אנא ליצור לקוחות מהעופרת {0} DocType: Price List,Applicable for Countries,ישים עבור מדינות apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},סטודנט הקבוצה שם הוא חובה בשורת {0} DocType: Homepage,Products to be shown on website homepage,מוצרים שיוצגו על בית של אתר @@ -2222,7 +2221,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ישות / בת משפטית עם תרשים נפרד של חשבונות השייכים לארגון. DocType: Payment Request,Mute Email,דוא"ל השתקה apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","מזון, משקאות וטבק" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,שיעור עמלה לא יכול להיות גדול מ -100 DocType: Stock Entry,Subcontract,בקבלנות משנה apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,נא להזין את {0} הראשון @@ -2244,7 +2243,7 @@ DocType: Purchase Invoice Item,Valuation Rate,שערי הערכת שווי apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,מטבע מחירון לא נבחר apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},עובד {0} כבר הגיש בקשה {1} בין {2} ו {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,תאריך התחלת פרויקט -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,עד +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,עד DocType: Rename Tool,Rename Log,שינוי שם התחבר DocType: Maintenance Visit Purpose,Against Document No,נגד מסמך לא apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ניהול שותפי מכירות. @@ -2261,7 +2260,7 @@ apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,בדיק DocType: Purchase Order Item,Returned Qty,כמות חזר DocType: Employee,Exit,יציאה apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,סוג השורש הוא חובה -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,מספר סידורי {0} נוצר +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,מספר סידורי {0} נוצר DocType: Homepage,Company Description for website homepage,תיאור החברה עבור הבית של האתר DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","לנוחות לקוחות, ניתן להשתמש בקודים אלה בפורמטי הדפסה כמו הערות חשבוניות ומשלוח" DocType: Sales Invoice,Time Sheet List,רשימת גיליון זמן @@ -2366,11 +2365,11 @@ DocType: Production Planning Tool,Create Production Orders,צור הזמנות DocType: Serial No,Warranty / AMC Details,אחריות / AMC פרטים DocType: Journal Entry,User Remark,הערה משתמש DocType: Lead,Market Segment,פלח שוק -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},הסכום ששולם לא יכול להיות גדול מ מלוא יתרת חוב שלילי {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},הסכום ששולם לא יכול להיות גדול מ מלוא יתרת חוב שלילי {0} DocType: Employee Internal Work History,Employee Internal Work History,העובד פנימי היסטוריה עבודה apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),"סגירה (ד""ר)" DocType: Cheque Print Template,Cheque Size,גודל מחאה -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,מספר סידורי {0} לא במלאי +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,מספר סידורי {0} לא במלאי apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,תבנית מס לעסקות מכירה. DocType: Sales Invoice,Write Off Outstanding Amount,לכתוב את הסכום מצטיין DocType: Stock Settings,Default Stock UOM,ברירת מחדל יחידת מידה @@ -2388,7 +2387,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cann 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 +348,Add a few sample records,הוסף כמה תקליטי מדגם +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,נמסר באופן מלא @@ -2400,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 +418,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,אין ו אצווה סידורי @@ -2408,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 +270,Minute,דקות +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,דקות DocType: Purchase Invoice,Purchase Taxes and Charges,לרכוש מסים והיטלים ,Qty to Receive,כמות לקבלת DocType: Leave Block List,Leave Block List Allowed,השאר בלוק רשימת מחמד @@ -2424,7 +2423,7 @@ DocType: Sales Order,% Delivered,% נמסר DocType: Production Order,PRO-,מִקצוֹעָן- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,בנק משייך יתר חשבון apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,הפוך שכר Slip -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,העיון BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,העיון BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,הלוואות מובטחות apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1} DocType: Academic Term,Academic Year,שנה אקדמית @@ -2439,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 +278,Select Quantity,כמות בחר +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,הודעה נשלחה @@ -2491,7 +2490,7 @@ 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} לא תוגש apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,צפוי -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},מספר סידורי {0} אינו שייך למחסן {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},מספר סידורי {0} אינו שייך למחסן {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,הערה: מערכת לא תבדוק על-אספקה ועל-הזמנה לפריט {0} ככמות או כמות היא 0 DocType: Notification Control,Quotation Message,הודעת ציטוט DocType: Issue,Opening Date,תאריך פתיחה @@ -2510,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 +207,e.g. VAT,"למשל מע""מ" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 +1945,Please select customer,אנא בחר לקוח +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,אנא בחר לקוח DocType: C-Form,I,אני DocType: Company,Asset Depreciation Cost Center,מרכז עלות פחת נכסים DocType: Sales Order Item,Sales Order Date,תאריך הזמנת מכירות @@ -2540,7 +2539,7 @@ DocType: Lead,Address Desc,כתובת יורד apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,המפלגה היא חובה DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,שם נושא -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast אחד למכור או לקנות יש לבחור +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast אחד למכור או לקנות יש לבחור apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,בחר את אופי העסק שלך. apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,איפה פעולות ייצור מתבצעות. DocType: Asset Movement,Source Warehouse,מחסן מקור @@ -2548,7 +2547,7 @@ 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} DocType: Employee,Confirmation Date,תאריך אישור DocType: C-Form,Total Invoiced Amount,"סכום חשבונית סה""כ" -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,דקות כמות לא יכולה להיות גדולה יותר מכמות מקס +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,דקות כמות לא יכולה להיות גדולה יותר מכמות מקס DocType: Account,Accumulated Depreciation,ירידת ערך מצטברת DocType: Stock Entry,Customer or Supplier Details,פרטי לקוח או ספק DocType: Lead,Lead Owner,בעלי ליד @@ -2623,7 +2622,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,התפרקות מס הצג apps/erpnext/erpnext/accounts/party.py +308,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,אין תלמידים נמצאו @@ -2670,22 +2668,23 @@ 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,נא להזין atleast חשבונית 1 בטבלה +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,הוסף משתמשים DocType: POS Item Group,Item Group,קבוצת פריט DocType: Item,Safety Stock,מלאי ביטחון DocType: Stock Reconciliation Item,Before reconciliation,לפני הפיוס apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},כדי {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),מסים והיטלים נוסף (חברת מטבע) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב DocType: Sales Order,Partly Billed,בחלק שחויב apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,פריט {0} חייב להיות פריט רכוש קבוע DocType: Item,Default BOM,BOM ברירת המחדל apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,אנא שם חברה הקלד לאשר -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,"סה""כ מצטיין Amt" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,"סה""כ מצטיין Amt" DocType: Journal Entry,Printing Settings,הגדרות הדפסה apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},חיוב כולל חייב להיות שווה לסך אשראי. ההבדל הוא {0} apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,רכב DocType: Asset Category Account,Fixed Asset Account,חשבון רכוש קבוע -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,מתעודת משלוח +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,מתעודת משלוח DocType: Timesheet Detail,From Time,מזמן DocType: Notification Control,Custom Message,הודעה מותאמת אישית apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,בנקאות השקעות @@ -2708,14 +2707,14 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת. +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/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 +1874,Enter value must be positive,זן הערך חייב להיות חיובי +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,סטודנטים כבר נרשמו. @@ -2724,14 +2723,14 @@ DocType: Process Payroll,Process Payroll,שכר תהליך apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,ישנם יותר מ חגי ימי עבודה בחודש זה. DocType: Product Bundle Item,Product Bundle Item,פריט Bundle מוצר DocType: Sales Partner,Sales Partner Name,שם שותף מכירות -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,בקשת ציטטות +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,בקשת ציטטות DocType: Payment Reconciliation,Maximum Invoice Amount,סכום חשבונית מרבי apps/erpnext/erpnext/config/selling.py +23,Customers,לקוחות DocType: Asset,Partially Depreciated,חלקי מופחת DocType: Issue,Opening Time,מועד פתיחה apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ומכדי התאריכים מבוקשים ל apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ניירות ערך ובורסות סחורות -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט '{0}' חייבת להיות זהה בתבנית '{1}' +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,ממחסן DocType: Assessment Plan,Supervisor Name,המפקח שם @@ -2745,7 +2744,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 +266,Raw Material,חומר גלם +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,סכום מס לאחר סכום הנחה @@ -2763,8 +2762,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"לא ניתן לנכות כאשר לקטגוריה 'הערכה' או 'הערכה וסה""כ'" -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},מס 'סידורי הנדרש לפריט מספר סידורי {0} +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/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,בנק כניסה DocType: Authorization Rule,Applicable To (Designation),כדי ישים (ייעוד) @@ -2778,7 +2777,7 @@ 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 +270,Hour,שעה +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,אתה לא מורשה לאשר עלים בתאריכי הבלוק @@ -2787,7 +2786,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.p 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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,מס @@ -2796,8 +2795,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 +270,Gram,גְרַם -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0. +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/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 יחידות. @@ -2815,7 +2814,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 +465,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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,תכונות @@ -2847,7 +2846,7 @@ 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 +436,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,מדינת חיוב @@ -2885,7 +2884,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},מאפיין לא חוקי {0} {1} +apps/erpnext/erpnext/controllers/item_variant.py +216,Invalid attribute {0} {1},מאפיין לא חוקי {0} {1} 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.,אופציונאלי. הגדרה זו תשמש לסינון בעסקות שונות. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,שערי הערכה שליליים אינו מותר @@ -2965,13 +2964,13 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,מבח apps/erpnext/erpnext/config/hr.py +115,Salary Components,מרכיבי שכר DocType: Program Enrollment Tool,New Academic Year,חדש שנה אקדמית DocType: Stock Settings,Auto insert Price List rate if missing,הכנס אוטומטי שיעור מחירון אם חסר -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,"סכום ששולם סה""כ" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,"סכום ששולם סה""כ" DocType: Production Order Item,Transferred Qty,כמות שהועברה 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 +272,We sell this Item,אנחנו מוכרים פריט זה +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 @@ -3031,13 +3030,14 @@ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Suppli 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- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},ברקוד {0} כבר השתמש בפריט {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},ברקוד {0} כבר השתמש בפריט {1} DocType: Lead,Add to calendar on this date,הוסף ללוח שנה בתאריך זה apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,כללים להוספת עלויות משלוח. DocType: Item,Opening Stock,מאגר פתיחה apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,הלקוח נדרש apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} הוא חובה עבור שבות DocType: Purchase Order,To Receive,לקבל +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,"דוא""ל אישי" apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,סך שונה DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","אם מאופשר, המערכת תפרסם רישומים חשבונאיים עבור המלאי באופן אוטומטי." @@ -3047,7 +3047,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 +541,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,מכירה סטנדרטית @@ -3095,20 +3095,21 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +42,Private Equity,הו DocType: Maintenance Visit,Customer Feedback,לקוחות משוב DocType: Account,Expense,חשבון DocType: Item Attribute,From Range,מטווח -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,פריט {0} התעלם כן הוא לא פריט מניות -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +40,Submit this Production Order for further processing.,שלח הזמנת ייצור זה לעיבוד נוסף. +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/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 +209,Rate (%),שיעור (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","הוסף משתמשים לארגון שלך, מלבד את עצמך" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},# השורה {0}: סידורי לא {1} אינו תואם עם {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,חופשה מזדמנת DocType: Batch,Batch ID,זיהוי אצווה @@ -3132,7 +3133,7 @@ apps/erpnext/erpnext/config/learn.py +107,Newsletters,ידיעונים DocType: Stock Ledger Entry,Stock Ledger Entry,מניית דג'ר כניסה DocType: Department,Leave Block List,השאר בלוק רשימה DocType: Sales Invoice,Tax ID,זיהוי מס -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +188,Item {0} is not setup for Serial Nos. Column must be blank,פריט {0} הוא לא התקנה למס סידורי. טור חייב להיות ריק +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,פריט {0} הוא לא התקנה למס סידורי. טור חייב להיות ריק DocType: Accounts Settings,Accounts Settings,חשבונות הגדרות apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,לְאַשֵׁר DocType: Customer,Sales Partner and Commission,פרטנר מכירות והוועדה @@ -3143,7 +3144,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 +62,{0} items produced,{0} פריטים המיוצרים +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} פריטים המיוצרים DocType: Cheque Print Template,Distance from top edge,מרחק הקצה העליון DocType: Purchase Invoice,Return,חזור DocType: Production Order Operation,Production Order Operation,להזמין מבצע ייצור @@ -3153,7 +3154,7 @@ 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 +559,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש DocType: Homepage,Tag Line,קו תג apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,הוספת פריטים מ DocType: Cheque Print Template,Regular,רגיל @@ -3197,7 +3198,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 +2383,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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} @@ -3233,12 +3234,12 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,הסכום ש apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,מנהל פרויקט ,Quoted Item Comparison,פריט מצוטט השוואה apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,שדר -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,הנחה מרבית המוותרת עבור פריט: {0} היא% {1} +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 +279,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 +930,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן" DocType: Item,Material Issue,נושא מהותי DocType: Hub Settings,Seller Description,תיאור מוכר DocType: Employee Education,Qualification,הסמכה @@ -3258,7 +3259,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 +200,Cannot cancel because submitted Stock Entry {0} exists,לא ניתן לבטל עקב נתון מלאי {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,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,בקשת חומר למחסן @@ -3274,7 +3275,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","כדי להגדיר שנת כספים זו כברירת מחדל, לחץ על 'קבע כברירת מחדל'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,לְהִצְטַרֵף apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,מחסור כמות -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות DocType: Salary Slip,Salary Slip,שכר Slip DocType: Pricing Rule,Margin Rate or Amount,שיעור או סכום שולי apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,'עד תאריך' נדרש @@ -3286,17 +3287,17 @@ 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 +1011,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,מספר סידורי {0} כבר קיבל +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 +1312,Delete permanently?,למחוק לצמיתות? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},לא חוקי {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},לא חוקי {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,חופשת מחלה DocType: Email Digest,Email Digest,"תקציר דוא""ל" DocType: Delivery Note,Billing Address Name,שם כתובת לחיוב @@ -3328,8 +3329,8 @@ DocType: Program Enrollment Tool,New Program,תוכנית חדשה DocType: Item Attribute Value,Attribute Value,תכונה ערך ,Itemwise Recommended Reorder Level,Itemwise מומלץ להזמנה חוזרת רמה DocType: Salary Detail,Salary Detail,פרטי שכר -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,אנא בחר {0} ראשון -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,אנא בחר {0} ראשון +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג. DocType: Sales Invoice,Commission,הוועדה apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,זמן גיליון לייצור. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,סיכום ביניים @@ -3352,12 +3353,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 +399,Operation Time must be greater than 0 for Operation {0},מבצע זמן חייב להיות גדול מ 0 למבצע {0} +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/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 +387,Production Order cannot be raised against a Item Template,להזמין ייצור לא יכול להיות שהועלה נגד תבנית פריט +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,תאריך ההתחלה @@ -3383,7 +3384,7 @@ DocType: Purchase Invoice,Submit on creation,שלח על יצירה apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},מטבע עבור {0} חייב להיות {1} DocType: Asset,Disposal Date,תאריך סילוק DocType: Employee Leave Approver,Employee Leave Approver,עובד חופשה מאשר -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","לא יכול להכריז על שאבד כ, כי הצעת מחיר כבר עשתה." 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} @@ -3417,7 +3418,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Cost Center,Cost Center Name,שם מרכז עלות DocType: Employee,B+,B + DocType: Maintenance Schedule Detail,Scheduled Date,תאריך מתוכנן -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,"Amt שילם סה""כ" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,"Amt שילם סה""כ" DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,הודעות יותר מ -160 תווים יפוצלו למספר הודעות DocType: Purchase Receipt Item,Received and Accepted,קיבלתי ואשר ,Serial No Service Contract Expiry,שירות סידורי חוזה תפוגה @@ -3425,7 +3426,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 +237,Your Suppliers,הספקים שלך +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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,התקבל מ @@ -3435,7 +3436,7 @@ 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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,לא ניתן למצוא תמונה באתר האינטרנט {0} המצורף לפריט {1} +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.,רשימת פריט זה במספר קבוצות באתר. @@ -3448,7 +3449,7 @@ apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to ei apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,מה זה עושה? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,למחסן ,Average Commission Rate,שערי העמלה הממוצעת -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,נוכחות לא יכולה להיות מסומנת עבור תאריכים עתידיים DocType: Pricing Rule,Pricing Rule Help,עזרה כלל תמחור DocType: Purchase Taxes and Charges,Account Head,חשבון ראש @@ -3461,7 +3462,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 +339,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,נכסים במלאי @@ -3474,17 +3475,17 @@ DocType: Notification Control,Sales Invoice Message,מסר חשבונית מכי apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,סגירת חשבון {0} חייבת להיות אחריות / הון עצמי סוג apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},תלוש משכורת של עובד {0} כבר נוצר עבור גיליון זמן {1} DocType: Sales Order Item,Ordered Qty,כמות הורה -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,פריט {0} הוא נכים +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 +874,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,צור תלושי שכר -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","קנייה יש לבדוק, אם לישים שנבחרה הוא {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","קנייה יש לבדוק, אם לישים שנבחרה הוא {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,דיסקונט חייב להיות פחות מ -100 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,שער הרכישה האחרונה לא נמצא DocType: Purchase Invoice,Write Off Amount (Company Currency),לכתוב את הסכום (חברת מטבע) -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,# השורה {0}: אנא הגדר כמות הזמנה חוזרת +apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,# השורה {0}: אנא הגדר כמות הזמנה חוזרת DocType: Fees,Program Enrollment,הרשמה לתכנית DocType: Landed Cost Voucher,Landed Cost Voucher,שובר עלות נחת apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},אנא הגדר {0} @@ -3577,7 +3578,7 @@ DocType: Request for Quotation Supplier,Download PDF,הורד PDF DocType: Production Order,Planned End Date,תאריך סיום מתוכנן apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,איפה פריטים מאוחסנים. DocType: Request for Quotation,Supplier Detail,פרטי ספק -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,סכום חשבונית +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,סכום חשבונית DocType: Attendance,Attendance,נוכחות DocType: BOM,Materials,חומרים DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","אם לא בדק, הרשימה תצטרך להוסיף לכל מחלקה שבה יש ליישם." @@ -3615,7 +3616,7 @@ apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analys DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,כמות של פריט המתקבלת לאחר ייצור / אריזה מחדש מכמויות מסוימות של חומרי גלם DocType: Payment Reconciliation,Receivable / Payable Account,חשבון לקבל / לשלם DocType: Delivery Note Item,Against Sales Order Item,נגד פריט להזמין מכירות -apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0} DocType: Item,Default Warehouse,מחסן ברירת מחדל apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},תקציב לא ניתן להקצות נגד קבוצת חשבון {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,נא להזין מרכז עלות הורה @@ -3658,7 +3659,7 @@ 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 +1344,Select or add new customer,בחר או הוסף לקוח חדש +apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,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,חשבון חיוב @@ -3685,7 +3686,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,רידינג 3 ,Hub,רכזת DocType: GL Entry,Voucher Type,סוג שובר -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,מחיר המחירון לא נמצא או נכים +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} חייב להיות מוגדרים כ'שמאל ' @@ -3700,7 +3701,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Plea apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},שורה {0}: מסיבה / חשבון אינו תואם עם {1} / {2} {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,נא להזין את חשבון הוצאות DocType: Account,Stock,מלאי -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד הזמנת רכש, חשבונית רכישה או תנועת יומן" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד הזמנת רכש, חשבונית רכישה או תנועת יומן" DocType: Employee,Current Address,כתובת נוכחית DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","אם פריט הנו נגזר של פריט נוסף לאחר מכן תיאור, תמונה, תמחור, וכו 'ייקבעו מסים מהתבנית אלא אם צוין במפורש" DocType: Serial No,Purchase / Manufacture Details,רכישה / פרטי ייצור @@ -3731,10 +3732,11 @@ DocType: BOM Operation,BOM Operation,BOM מבצע DocType: Purchase Taxes and Charges,On Previous Row Amount,על סכום שורה הקודם apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset Transfer DocType: POS Profile,POS Profile,פרופיל קופה -apps/erpnext/erpnext/config/schools.py +39,Admission,הוֹדָאָה +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,הוֹדָאָה apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","פריט {0} הוא תבנית, אנא בחר באחת מגרסותיה" DocType: Asset,Asset Category,קטגורית נכסים +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,רוכש apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,שכר נטו לא יכול להיות שלילי DocType: SMS Settings,Static Parameters,פרמטרים סטטיים DocType: Assessment Plan,Room,חֶדֶר diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv index 4c47e43fd0..838fec045e 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","रूका उत्पादन आदेश रद्द नहीं किया जा सकता, रद्द करने के लिए पहली बार इसे आगे बढ़ाना" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,चयन डिफ़ॉल्ट प्रदायक @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1} +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 +808,Invoice,बीजक DocType: Maintenance Schedule Item,Periodicity,आवधिकता apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,वित्त वर्ष {0} की आवश्यकता है @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,अर्धनिर्मित उत्पादन apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,कृपया तिथि का चयन DocType: Employee,Holiday List,अवकाश सूची -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,मुनीम +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,मुनीम DocType: Cost Center,Stock User,शेयर उपयोगकर्ता DocType: Company,Phone No,कोई फोन apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,पाठ्यक्रम कार्यक्रम बनाया: @@ -110,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 +269,Kg,किलो +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,किलो DocType: Student Log,Log,लॉग apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,एक नौकरी के लिए खोलना. DocType: Item Attribute,Increment,वेतन वृद्धि @@ -120,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 +42,Not permitted for {0},अनुमति नहीं {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,से आइटम प्राप्त -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,नहीं आइटम नहीं मिला +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,बिक्री चालान आइटम @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,स्टॉक रिप DocType: Warehouse,Warehouse Detail,वेअरहाउस विस्तार apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},क्रेडिट सीमा ग्राहक के लिए पार किया गया है {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",अनियंत्रित नहीं हो सकता है के रूप में एसेट रिकॉर्ड मद के सामने मौजूद है "निश्चित परिसंपत्ति है" +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/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,एक ग्राहक एक ही नाम के साथ मौजूद है @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},से {0} को {1} DocType: Item,Copy From Item Group,आइटम समूह से कॉपी DocType: Journal Entry,Opening Entry,एंट्री खुलने -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,खाते का भुगतान केवल DocType: Employee Loan,Repay Over Number of Periods,चुकाने से अधिक अवधि की संख्या DocType: Stock Entry,Additional Costs,अतिरिक्त लागत @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,रियल एस्टेट -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,लेखा - विवरण +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,औषधीय DocType: Purchase Invoice Item,Is Fixed Asset,निश्चित परिसंपत्ति है apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","उपलब्ध मात्रा {0}, आप की जरूरत है {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,उपभोज्य +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,उपभोज्य DocType: Employee,B-,बी DocType: Upload Attendance,Import Log,प्रवेश करें आयात DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,खींचो उपरोक्त मानदंडों के आधार पर प्रकार के निर्माण की सामग्री का अनुरोध @@ -211,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 +143,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है। +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,उदाहरण: बुनियादी गणित +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/config/hr.py +214,Settings for HR Module,मानव संसाधन मॉड्यूल के लिए सेटिंग्स DocType: SMS Center,SMS Center,एसएमएस केंद्र @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,आइटम और मूल्य निर्धारण apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},कुल घंटे: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},दिनांक से वित्तीय वर्ष के भीतर होना चाहिए. दिनांक से मान लिया जाये = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,उद्धरण DocType: Customer,Individual,व्यक्ति DocType: Interest,Academics User,शिक्षाविदों उपयोगकर्ता DocType: Cheque Print Template,Amount In Figure,राशि चित्रा में @@ -265,7 +266,7 @@ DocType: Employee,Create User,उपयोगकर्ता बनाइये DocType: Selling Settings,Default Territory,Default टेरिटरी apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,दूरदर्शन DocType: Production Order Operation,Updated via 'Time Log','टाइम प्रवेश' के माध्यम से अद्यतन -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1} DocType: Naming Series,Series List for this Transaction,इस लेन - देन के लिए सीरीज सूची DocType: Company,Enable Perpetual Inventory,सतत सूची सक्षम करें DocType: Company,Default Payroll Payable Account,डिफ़ॉल्ट पेरोल देय खाता @@ -273,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 +177,For Warehouse is required before Submit,गोदाम की आवश्यकता है के लिए पहले जमा करें +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,संपर्क का नाम +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,पीओएस ग्राहक समूह @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए 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 +189,Warehouse {0} does not belong to company {1},वेयरहाउस {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 +270,Litre,लीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,अवरुद्ध छोड़ दो -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,बैंक प्रविष्टियां apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,वार्षिक DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेयर सुलह आइटम @@ -315,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 +316,People who teach at your organisation,जो लोग अपने संगठन में पढ़ाने +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,न्यूनतम आदेश मात्रा @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,उपयोगकर्ता स DocType: Item,Publish in Hub,हब में प्रकाशित DocType: Student Admission,Student Admission,छात्र प्रवेश ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,सामग्री अनुरोध DocType: Bank Reconciliation,Update Clearance Date,अद्यतन क्लीयरेंस तिथि DocType: Item,Purchase Details,खरीद विवरण @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,नौसेना प्रबंधक apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,परिपत्र संदर्भ त्रुटि @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,आप इसे खींचा बाद भुगतान एंट्री संशोधित किया गया है। इसे फिर से खींच कर दीजिये। -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,इस सप्ताह और लंबित गतिविधियों के लिए सारांश DocType: Student Applicant,Admitted,भर्ती किया DocType: Workstation,Rent Cost,बाइक किराए मूल्य @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% प्राप्त apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,छात्र गुटों बनाएं apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,सेटअप पहले से ही पूरा ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,क्रेडिट नोट राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,क्रेडिट नोट राशि ,Finished Goods,निर्मित माल DocType: Delivery Note,Instructions,निर्देश DocType: Quality Inspection,Inspected By,द्वारा निरीक्षण किया @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,एक नए ग्राहक बनाने +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग सीरिज के माध्यम से उपस्थिति के लिए श्रृंखलाबद्ध संख्या सेट करना apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,खरीद आदेश बनाएं ,Purchase Register,इन पंजीकृत खरीद DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है। +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 मैनुअल पढ़ें @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सभी विनिर्माण प्रक्रियाओं के लिए वैश्विक सेटिंग्स। DocType: Accounts Settings,Accounts Frozen Upto,लेखा तक जमे हुए DocType: SMS Log,Sent On,पर भेजा -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,गुण {0} गुण तालिका में कई बार चुना +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,गुण {0} गुण तालिका में कई बार चुना DocType: HR Settings,Employee record is created using selected field. ,कर्मचारी रिकॉर्ड चयनित क्षेत्र का उपयोग कर बनाया जाता है. DocType: Sales Order,Not Applicable,लागू नहीं apps/erpnext/erpnext/config/hr.py +70,Holiday master.,अवकाश मास्टर . @@ -524,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 +219,List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"सामग्री अनुरोध उठाया जाएगा , जिसके लिए वेयरहाउस दर्ज करें" DocType: Production Order,Additional Operating Cost,अतिरिक्त ऑपरेटिंग कॉस्ट apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,प्रसाधन सामग्री -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए" DocType: Shipping Rule,Net Weight,निवल भार DocType: Employee,Emergency Phone,आपातकालीन फोन apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,खरीदें @@ -547,7 +549,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 +2428,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,प्रबंध उप @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर और प्रभार जोड़ें / संपादित करें DocType: Purchase Invoice,Supplier Invoice No,प्रदायक चालान नहीं DocType: Territory,For reference,संदर्भ के लिए -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","नहीं हटा सकते सीरियल नहीं {0}, यह शेयर लेनदेन में इस्तेमाल किया जाता है के रूप में" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","नहीं हटा सकते सीरियल नहीं {0}, यह शेयर लेनदेन में इस्तेमाल किया जाता है के रूप में" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),समापन (सीआर) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,हटो मद DocType: Serial No,Warranty Period (Days),वारंटी अवधि (दिन) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,पहले कंपनी और पार्टी के प्रकार का चयन करें apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,वित्तीय / लेखा वर्ष . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,संचित मान -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,बनाओ बिक्री आदेश DocType: Project Task,Project Task,परियोजना के कार्य ,Lead Id,लीड ईद @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,आवंटित apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,बिक्री लौटें 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,नोट: कुल आवंटित पत्ते {0} पहले ही मंजूरी दे दी पत्तियों से कम नहीं होना चाहिए {1} अवधि के लिए +,Total Stock Summary,कुल स्टॉक सारांश DocType: Announcement,Posted By,द्वारा प्रकाशित किया गया था DocType: Item,Delivered by Supplier (Drop Ship),प्रदायक द्वारा वितरित (ड्रॉप जहाज) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,संभावित ग्राहकों के लिए धन्यवाद. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ग्राहक DocType: Quotation,Quotation To,करने के लिए कोटेशन DocType: Lead,Middle Income,मध्य आय apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),उद्घाटन (सीआर ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आप पहले से ही एक और UoM के साथ कुछ लेन-देन (एस) बना दिया है क्योंकि मद के लिए माप की मूलभूत इकाई {0} सीधे नहीं बदला जा सकता। आप एक अलग डिफ़ॉल्ट UoM का उपयोग करने के लिए एक नया आइटम बनाने की आवश्यकता होगी। +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आप पहले से ही एक और UoM के साथ कुछ लेन-देन (एस) बना दिया है क्योंकि मद के लिए माप की मूलभूत इकाई {0} सीधे नहीं बदला जा सकता। आप एक अलग डिफ़ॉल्ट UoM का उपयोग करने के लिए एक नया आइटम बनाने की आवश्यकता होगी। apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,आवंटित राशि ऋणात्मक नहीं हो सकता apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,कृपया कंपनी सेट करें DocType: Purchase Order Item,Billed Amt,बिल भेजा राशि @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,स्नातकोत् DocType: Assessment Plan,Maximum Assessment Score,अधिकतम स्कोर आकलन apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,अद्यतन बैंक लेनदेन की तिथियां apps/erpnext/erpnext/config/projects.py +30,Time Tracking,समय ट्रैकिंग +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,परिवहन के लिए डुप्लिकेट DocType: Fiscal Year Company,Fiscal Year Company,वित्त वर्ष कंपनी DocType: Packing Slip Item,DN Detail,डी.एन. विस्तार DocType: Training Event,Conference,सम्मेलन @@ -675,8 +679,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 +320,Timesheet created:,Timesheet बनाया: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,भर्ती DocType: GST Settings,GST Settings,जीएसटी सेटिंग्स DocType: Selling Settings,Customer Naming By,द्वारा नामकरण ग्राहक @@ -705,7 +709,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 +139,Finish,समाप्त +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,समाप्त apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,आधार DocType: Timesheet,Total Billed Hours,कुल बिल घंटे DocType: Journal Entry,Write Off Amount,बंद राशि लिखें @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,विक्रेता सिटी ,Absent Student Report,अनुपस्थित छात्र की रिपोर्ट DocType: Email Digest,Next email will be sent on:,अगले ईमेल पर भेजा जाएगा: DocType: Offer Letter Term,Offer Letter Term,पत्र टर्म प्रस्ताव -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,आइटम वेरिएंट है। +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,आइटम वेरिएंट है। apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,आइटम {0} नहीं मिला DocType: Bin,Stock Value,शेयर मूल्य apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,कंपनी {0} मौजूद नहीं है @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, प्राथमिकता बताए द्वारा संघर्ष का समाधान करें। मूल्य नियम: {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 निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य 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 +48,Make Timesheet,Timesheet बनाओ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ 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,पारिवारिक पृष्ठभूमि DocType: Request for Quotation Supplier,Send Email,ईमेल भेजें -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},चेतावनी: अमान्य अनुलग्नक {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,अनुमति नहीं है +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},चेतावनी: अमान्य अनुलग्नक {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,अनुमति नहीं है 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 +269,Nos,ओपन स्कूल +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} प्रस्तुत किया जाना चाहिए @@ -872,7 +876,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,खुलने संचित मूल्यह्रास @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} रद्द -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},धारावाहिक नहीं {0} मद से संबंधित नहीं है {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},धारावाहिक नहीं {0} मद से संबंधित नहीं है {1} DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक मात्रा apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,मौजूदा लेनदेन के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता है। DocType: Bank Reconciliation,Total Amount,कुल राशि @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,अवयव apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},मद में दर्ज करें परिसंपत्ति वर्ग {0} DocType: Quality Inspection Reading,Reading 6,6 पढ़ना -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,नहीं {0} {1} {2} के बिना किसी भी नकारात्मक बकाया चालान कर सकते हैं +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,नहीं {0} {1} {2} के बिना किसी भी नकारात्मक बकाया चालान कर सकते हैं 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} क्रेडिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है @@ -998,12 +1002,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 +731,New Sales Invoice,नई बिक्री चालान +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,सिंक ऑफलाइन चालान +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,सिंक ऑफलाइन चालान DocType: Payment Request,Paid,भुगतान किया DocType: Program Fee,Program Fee,कार्यक्रम का शुल्क DocType: Salary Slip,Total in words,शब्दों में कुल @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,रासायनिक DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,डिफ़ॉल्ट बैंक / नकद खाते स्वचालित रूप से जब इस मोड का चयन वेतन जर्नल प्रविष्टि में अद्यतन किया जाएगा। DocType: BOM,Raw Material Cost(Company Currency),कच्चे माल की लागत (कंपनी मुद्रा) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,सभी आइटम को पहले से ही इस उत्पादन के आदेश के लिए स्थानांतरित कर दिया गया है। +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 +270,Meter,मीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,मीटर DocType: Workstation,Electricity Cost,बिजली की लागत DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी जन्मदिन अनुस्मारक न भेजें DocType: Item,Inspection Criteria,निरीक्षण मानदंड @@ -1060,7 +1064,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 +452,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,शेष ऋण की राशि @@ -1068,7 +1072,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 +259,Qty for {0},के लिए मात्रा {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ब्लॉक सूची तिथियां छोड़ो @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,नकद / बैंक खात apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},कृपया बताएं कि एक {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,मात्रा या मूल्य में कोई परिवर्तन से हटाया आइटम नहीं है। DocType: Delivery Note,Delivery To,करने के लिए डिलिवरी -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,गुण तालिका अनिवार्य है +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,गुण तालिका अनिवार्य है DocType: Production Planning Tool,Get Sales Orders,विक्रय आदेश -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ऋणात्मक नहीं हो सकता +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ऋणात्मक नहीं हो सकता apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,छूट DocType: Asset,Total Number of Depreciations,कुल depreciations की संख्या DocType: Sales Invoice Item,Rate With Margin,मार्जिन के साथ दर @@ -1118,7 +1122,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 +1546,ZIP Code,पिन कोड +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1140,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,वितरक DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,शॉपिंग कार्ट नौवहन नियम apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन का आदेश {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',सेट 'पर अतिरिक्त छूट लागू करें' कृपया +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,सीमा कम हो गया है से की तुलना में श्रृंखला के लिए DocType: Global Defaults,Global Defaults,वैश्विक मूलभूत @@ -1168,10 +1172,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 +22,First 2 digits of GSTIN should match with State number {0},जीएसटीआईएन के पहले 2 अंक राज्य संख्या {0} के साथ मिलना चाहिए +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,क्षमता योजना में त्रुटि +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,क्षमता योजना में त्रुटि ,Trial Balance for Party,पार्टी के लिए परीक्षण शेष DocType: Lead,Consultant,सलाहकार DocType: Salary Slip,Earnings,कमाई @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,वापसी है apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,वापसी / डेबिट नोट DocType: Price List Country,Price List Country,मूल्य सूची देश DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},आइटम के लिए {0} वैध धारावाहिक नग {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},आइटम के लिए {0} वैध धारावाहिक नग {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,मद कोड सीरियल नंबर के लिए बदला नहीं जा सकता apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},पीओएस प्रोफ़ाइल {0} पहले से ही उपयोगकर्ता के लिए बनाया: {1} और कंपनी {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM रूपांतरण फैक्टर @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ','आइटम कोड के साथ आइटम के लिए केंद्र का खर्च -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","इसके अलावा खातों समूह के तहत बनाया जा सकता है, लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है" @@ -1241,7 +1245,7 @@ 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,देखें खाता बही DocType: Grading Scale,Intervals,अंतराल apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,शीघ्रातिशीघ्र -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आइटम {0} बैच नहीं हो सकता @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक DocType: Purchase Invoice,Rejected Warehouse,अस्वीकृत वेअरहाउस DocType: GL Entry,Against Voucher,वाउचर के खिलाफ DocType: Item,Default Buying Cost Center,डिफ़ॉल्ट ख़रीदना लागत केंद्र @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,बिक्री आदेश {0} मान्य नहीं है +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,जारी करने की जगह apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,अनुबंध DocType: Email Digest,Add Quote,उद्धरण जोड़ें -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1} 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 +736,Sync Master Data,सिंक मास्टर डाटा -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,अपने उत्पादों या सेवाओं +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,अपने उत्पादों या सेवाओं DocType: Mode of Payment,Mode of Payment,भुगतान की रीति -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए DocType: Student Applicant,AP,एपी DocType: Purchase Invoice Item,BOM,बीओएम apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है . @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","मूल्य निर्धारण नियम पहला आइटम, आइटम समूह या ब्रांड हो सकता है, जो क्षेत्र 'पर लागू होते हैं' के आधार पर चुना जाता है." 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 प्रतिशत होना चाहिए -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},उत्पादन का आदेश स्थिति है {0} DocType: Appraisal Goal,Goal,लक्ष्य DocType: Sales Invoice Item,Edit Description,संपादित करें] वर्णन ,Team Updates,टीम अपडेट @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल गोदाम इस गोदाम के लिए मौजूद है। आप इस गोदाम को नष्ट नहीं कर सकते हैं। DocType: Item,Website Item Groups,वेबसाइट आइटम समूह DocType: Purchase Invoice,Total (Company Currency),कुल (कंपनी मुद्रा) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया +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 +78,{0} items in progress,{0} प्रगति में आइटम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,बूटस्ट्रैप 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,7 +1425,7 @@ 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 +260,Max: {0},मैक्स: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,संचार लॉग इन करें. @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,शिपिंग पता ना apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,खातों का चार्ट DocType: Material Request,Terms and Conditions Content,नियम और शर्तें सामग्री apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 से अधिक नहीं हो सकता -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,आइटम {0} भंडार वस्तु नहीं है +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,आइटम {0} भंडार वस्तु नहीं है DocType: Maintenance Visit,Unscheduled,अनिर्धारित DocType: Employee,Owned,स्वामित्व DocType: Salary Detail,Depends on Leave Without Pay,बिना वेतन छुट्टी पर निर्भर करता है @@ -1465,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 +273,We buy this Item,हम इस मद से खरीदें +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,खुला हुआ वित्त वर्ष के पी एंड एल शेष राशि दिखाएँ @@ -1476,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 +266,Sub Assemblies,उप असेंबलियों +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,उप असेंबलियों DocType: Asset,Asset Name,एसेट का नाम DocType: Project,Task Weight,टास्क भार DocType: Shipping Rule Condition,To Value,मूल्य के लिए @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,स्रोत 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 +239,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,भुगतान तालिका में कोई अभिलेख apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},यह {0} {1} के साथ संघर्ष के लिए {2} {3} DocType: Student Attendance Tool,Students HTML,छात्र HTML DocType: POS Profile,Apply Discount,छूट लागू -DocType: Purchase Invoice Item,GST HSN Code,जीएसटी एचएसएन कोड +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 +283,Packing Slip(s) cancelled,पैकिंग पर्ची (ओं ) को रद्द कर दिया @@ -1557,8 +1559,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 +2573,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,डिब्बा +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 +873,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,पानेवाला सूची खाली है . पानेवाला सूची बनाएं @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,चुकौती विधि DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","अगर जाँच की, होम पेज वेबसाइट के लिए डिफ़ॉल्ट मद समूह हो जाएगा" DocType: Quality Inspection Reading,Reading 4,4 पढ़ना -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} के प्रोजेक्ट के लिए नहीं मिला डिफ़ॉल्ट बीओएम {1} 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,नया का apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,कोटेशन बनाओ apps/erpnext/erpnext/config/selling.py +216,Other Reports,अन्य रिपोर्टें DocType: Dependent Task,Dependent Task,आश्रित टास्क -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},उपाय की मूलभूत इकाई के लिए रूपांतरण कारक पंक्ति में 1 होना चाहिए {0} +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.,अग्रिम में एक्स दिनों के लिए आपरेशन की योजना बना प्रयास करें। 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} DocType: SMS Center,Receiver List,रिसीवर सूची -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,खोजें मद +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,पहले से पूरा है +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/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 +263,Quantity must not be more than {0},मात्रा से अधिक नहीं होना चाहिए {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,ग्राहक पीओएस आईडी DocType: Account,Account Name,खाते का नाम apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,तिथि से आज तक से बड़ा नहीं हो सकता -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,धारावाहिक नहीं {0} मात्रा {1} एक अंश नहीं हो सकता +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,धारावाहिक नहीं {0} मात्रा {1} एक अंश नहीं हो सकता apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,प्रदायक प्रकार मास्टर . 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 नहीं किया जा सकता @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,वाहन डिस्पैच तिथि +DocType: Purchase Order Item,HSN/SAC,HSN / सैक apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं किया गया है DocType: Company,Default Payable Account,डिफ़ॉल्ट देय खाता apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ऐसे शिपिंग नियम, मूल्य सूची आदि के रूप में ऑनलाइन शॉपिंग कार्ट के लिए सेटिंग" @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,पत्तिय DocType: Sales Invoice,Packed Items,पैक्ड आइटम apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,सीरियल नंबर के खिलाफ वारंटी का दावा DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","यह प्रयोग किया जाता है, जहां सभी अन्य BOMs में एक विशेष बीओएम बदलें। यह पुराने बीओएम लिंक की जगह लागत को अद्यतन और नए बीओएम के अनुसार ""बीओएम धमाका आइटम"" तालिका पुनर्जन्म होगा" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','कुल' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','कुल' DocType: Shopping Cart Settings,Enable Shopping Cart,शॉपिंग कार्ट सक्षम करें DocType: Employee,Permanent Address,स्थायी पता apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ DocType: Material Request,Transferred,का तबादला DocType: Vehicle,Doors,दरवाजे के apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ! DocType: Course Assessment Criteria,Weightage,महत्व +DocType: Sales 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,7 +1744,7 @@ 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 +699,Offline,ऑफलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,एक नौकरी के लिए आवेदक @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,मुख्य apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,प्रकार DocType: Naming Series,Set prefix for numbering series on your transactions,अपने लेनदेन पर श्रृंखला नंबरिंग के लिए उपसर्ग सेट DocType: Employee Attendance Tool,Employees HTML,कर्मचारियों एचटीएमएल -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए DocType: Employee,Leave Encashed?,भुनाया छोड़ दो? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,क्षेत्र से मौके अनिवार्य है DocType: Email Digest,Annual Expenses,सालाना खर्च @@ -1770,7 +1773,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 +175,Work-in-Progress Warehouse is required before Submit,वर्क प्रगति वेयरहाउस प्रस्तुत करने से पहले आवश्यक है +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,वैधानिक अपने सप्लायर के बारे में जानकारी और अन्य सामान्य जानकारी @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,सीरियल नंबर और ब apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,छात्र समूह की ताकत apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल के खिलाफ एंट्री {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है apps/erpnext/erpnext/config/hr.py +137,Appraisals,मूल्यांकन -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},डुप्लीकेट सीरियल मद के लिए दर्ज किया गया {0} +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}। ओवर-बिलिंग की अनुमति के लिए, सेटिंग ख़रीदना में सेट करें" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,भुगतान @@ -1806,12 +1809,12 @@ 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 +257,"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 +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.",अपने उत्पादों या आप खरीदने या बेचने सेवाओं है कि सूची . 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: Asset Movement,Asset Movement,एसेट आंदोलन -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,नई गाड़ी +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,पहियों @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरीद प्राप्तियों से आइटम प्राप्त DocType: Serial No,Creation Date,निर्माण तिथि apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},आइटम {0} मूल्य सूची में कई बार प्रकट होता है {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो बेचना, जाँच की जानी चाहिए {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो बेचना, जाँच की जानी चाहिए {0}" DocType: Production Plan Material Request,Material Request Date,सामग्री अनुरोध दिनांक DocType: Purchase Order Item,Supplier Quotation Item,प्रदायक कोटेशन आइटम DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,उत्पादन के आदेश के खिलाफ समय लॉग का सृजन अक्षम करता है। संचालन उत्पादन आदेश के खिलाफ लगाया जा नहीं करेगा @@ -1853,12 +1856,12 @@ DocType: Supplier,Supplier of Goods or Services.,वस्तुओं या DocType: Budget,Fiscal Year,वित्तीय वर्ष DocType: Vehicle Log,Fuel Price,ईंधन मूल्य DocType: Budget,Budget,बजट -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,निश्चित परिसंपत्ति मद एक गैर शेयर मद में होना चाहिए। +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 +209,e.g. 5,उदाहरणार्थ +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,एक बार जब आप विक्रय इनवॉइस सहेजें शब्दों में दिखाई जाएगी। @@ -1867,7 +1870,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 +263,A Product or Service,उत्पाद या सेवा +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,वर्तमान मान @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,जोड़ा +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,जोड़ा apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें DocType: Asset,Depreciation Schedule,मूल्यह्रास अनुसूची apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,बिक्री साथी पते और संपर्क @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},आइटम के लिए आइटम मास्टर में उल्लेख नहीं मद समूह {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए +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,खाते में डेबिट एक प्राप्य खाता होना चाहिए DocType: Shipping Rule Condition,Shipping Amount,नौवहन राशि -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ग्राहक जोड़ें +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,दिया गया @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य ,Supplier-Wise Sales Analytics,प्रदायक वार बिक्री विश्लेषिकी apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,भुगतान की गई राशि दर्ज DocType: Salary Structure,Select employees for current Salary Structure,वर्तमान वेतन ढांचे के लिए कर्मचारियों का चयन +DocType: Sales Invoice,Company Address Name,कंपनी का पता नाम 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)","अभिभावक पाठ्यक्रम (खाली छोड़ें, यदि यह मूल पाठ्यक्रम का हिस्सा नहीं है)" @@ -1999,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 +269,Unit,इकाई +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,वेअरहाउस जहाँ आप को अस्वीकार कर दिया आइटम के शेयर को बनाए रखने रहे हैं @@ -2020,7 +2024,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार बिक्री आदेश में से एक, बिक्री चालान या जर्नल प्रविष्टि होना चाहिए" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: समय और समय के लिए अनिवार्य है। DocType: Stock Reconciliation Item,Amount Difference,राशि अंतर @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,क्षेत्र द्वारा ग्राहकों का वर्गीकरण apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,अंतर राशि शून्य होना चाहिए DocType: Project,Gross Margin,सकल मुनाफा -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,पहली उत्पादन मद दर्ज करें +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 +748,Quotation,उद्धरण @@ -2041,7 +2045,7 @@ 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: Opportunity,Customer / Lead Address,ग्राहक / लीड पता -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},चेतावनी: कुर्की पर अवैध एसएसएल प्रमाणपत्र {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},चेतावनी: कुर्की पर अवैध एसएसएल प्रमाणपत्र {0} DocType: Student Admission,Eligibility,पात्रता apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","सुराग आप व्यापार, अपने नेतृत्व के रूप में अपने सभी संपर्कों को और अधिक जोड़ने पाने में मदद" DocType: Production Order Operation,Actual Operation Time,वास्तविक ऑपरेशन टाइम @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,कुल स्कोर की गण DocType: Request for Quotation,Manufacturing Manager,विनिर्माण प्रबंधक apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},धारावाहिक नहीं {0} तक वारंटी के अंतर्गत है {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,संकुल में डिलिवरी नोट भाजित. -apps/erpnext/erpnext/hooks.py +87,Shipments,लदान +apps/erpnext/erpnext/hooks.py +94,Shipments,लदान DocType: Payment Entry,Total Allocated Amount (Company Currency),कुल आवंटित राशि (कंपनी मुद्रा) DocType: Purchase Order Item,To be delivered to customer,ग्राहक के लिए दिया जाना DocType: BOM,Scrap Material Cost,स्क्रैप सामग्री लागत -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,सीरियल नहीं {0} किसी भी गोदाम से संबंधित नहीं है +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,सीरियल नहीं {0} किसी भी गोदाम से संबंधित नहीं है DocType: Purchase Invoice,In Words (Company Currency),शब्दों में (कंपनी मुद्रा) DocType: Asset,Supplier,प्रदायक DocType: C-Form,Quarter,तिमाही @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,कर्मचारी ऋण ख DocType: Leave Application,Total Leave Days,कुल छोड़ दो दिन DocType: Email Digest,Note: Email will not be sent to disabled users,नोट: ईमेल अक्षम उपयोगकर्ताओं के लिए नहीं भेजा जाएगा apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,इंटरैक्शन की संख्या -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड 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 +408,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","कम से कम एक पंक्ति में आवंटित राशि, प्रकार का चालान और चालान नंबर का चयन करें" @@ -2124,7 +2127,8 @@ 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,सी ई ओ DocType: Expense Claim Detail,Expense Claim Detail,व्यय दावा विवरण -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,सही खाते का चयन करें +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,आपूर्तिकर्ता के लिए ट्रिपलकाट +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,सही खाते का चयन करें DocType: Item,Weight UOM,वजन UOM DocType: Salary Structure Employee,Salary Structure Employee,वेतन ढांचे कर्मचारी DocType: Employee,Blood Group,रक्त वर्ग @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,रखवालों 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 +336,Debit To is required,डेबिट करने के लिए आवश्यक है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ऑफर टर्म @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},कुल अव DocType: BOM Website Operation,BOM Website Operation,बीओएम वेबसाइट ऑपरेशन apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,प्रस्ताव पत्र apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,सामग्री (एमआरपी) के अनुरोध और उत्पादन के आदेश उत्पन्न. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,कुल चालान किए गए राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,कुल चालान किए गए राशि DocType: BOM,Conversion Rate,रूपांतरण दर apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,उत्पाद खोज DocType: Timesheet Detail,To Time,समय के लिए @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,प्रशिक्षण घटना कर्मचारी -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} मद के लिए आवश्यक सीरियल नंबर {1}। आपके द्वारा दी गई {2}। +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} मद के लिए आवश्यक सीरियल नंबर {1}। आपके द्वारा दी गई {2}। DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर DocType: Item,Customer Item Codes,ग्राहक आइटम संहिताओं apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,मुद्रा लाभ / हानि @@ -2220,7 +2224,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 +2454,Select Batch No,बैच नंबर का चयन करें +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,अग्रिम राशि @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,उपयोगकर्ताओं क DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,अलग आय को ट्रैक और उत्पाद कार्यक्षेत्र या डिवीजनों के लिए खर्च। DocType: Rename Tool,Rename Tool,उपकरण का नाम बदलें -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,अद्यतन लागत +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 +438,Show Salary Slip,वेतन पर्ची दिखाएँ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,बदलें चुनें राशि खाते +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,करों जोड़ें +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,बजट खाता @@ -2267,6 +2271,7 @@ DocType: Stock Entry,Purchase Receipt No,रसीद खरीद नहीं apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,बयाना राशि DocType: Process Payroll,Create Salary Slip,वेतनपर्ची बनाएँ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,पता लगाने की क्षमता +DocType: Purchase Invoice Item,HSN/SAC Code,एचएसएन / एसएसी कोड 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,कर्मचारी @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,स्नातकोत्तर DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,रखरखाव अनुसूची विवरण DocType: Quality Inspection Reading,Reading 9,9 पढ़ना DocType: Supplier,Is Frozen,जम गया है -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,समूह नोड गोदाम के लेन-देन के लिए चयन करने के लिए अनुमति नहीं है +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,समूह नोड गोदाम के लेन-देन के लिए चयन करने के लिए अनुमति नहीं है DocType: Buying Settings,Buying Settings,सेटिंग्स ख़रीदना DocType: Stock Entry Detail,BOM No. for a Finished Good Item,एक समाप्त अच्छा आइटम के लिए बीओएम सं. DocType: Upload Attendance,Attendance To Date,तिथि उपस्थिति @@ -2311,13 +2316,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।" +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.js +153,You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते +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,मात्रा के लिए apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},आइटम के लिए योजना बनाई मात्रा दर्ज करें {0} पंक्ति में {1} @@ -2339,7 +2344,7 @@ DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य DocType: BOM,Show Operations,शो संचालन ,Minutes to First Response for Opportunity,अवसर के लिए पहली प्रतिक्रिया मिनट apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,कुल अनुपस्थित -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,माप की इकाई DocType: Fiscal Year,Year End Date,वर्षांत तिथि DocType: Task Depends On,Task Depends On,काम पर निर्भर करता है @@ -2430,7 +2435,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},अधिक आइटम उत्पादन नहीं कर सकते {0} से बिक्री आदेश मात्रा {1} +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/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,अगले संपर्क के द्वारा सीसा ईमेल एड्रेस के रूप में ही नहीं किया जा सकता @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,संदर्भ ....................... +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,संदर्भ ....................... DocType: Budget,Cost Center,लागत केंद्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,वाउचर # DocType: Notification Control,Purchase Order Message,खरीद आदेश संदेश @@ -2544,7 +2549,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 +1165,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,स्टॉक सेटिंग्स @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,काम पूरा होना apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,स्टॉक में नहीं DocType: Appraisal,HR User,मानव संसाधन उपयोगकर्ता DocType: Purchase Invoice,Taxes and Charges Deducted,कर और शुल्क कटौती -apps/erpnext/erpnext/hooks.py +116,Issues,मुद्दे +apps/erpnext/erpnext/hooks.py +124,Issues,मुद्दे apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},स्थिति का एक होना चाहिए {0} DocType: Sales Invoice,Debit To,करने के लिए डेबिट DocType: Delivery Note,Required only for sample item.,केवल नमूना आइटम के लिए आवश्यक है. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,क्षेत्र apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,कृपया उल्लेख आवश्यक यात्राओं की कोई DocType: Stock Settings,Default Valuation Method,डिफ़ॉल्ट मूल्यन विधि +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,शुल्क DocType: Vehicle Log,Fuel Qty,ईंधन मात्रा DocType: Production Order Operation,Planned Start Time,नियोजित प्रारंभ समय DocType: Course,Assessment,मूल्यांकन @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,कोटेशन {0} को रद्द कर दिया गया है -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,कुल बकाया राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,कुल बकाया राशि DocType: Sales Partner,Targets,लक्ष्य DocType: Price List,Price List Master,मूल्य सूची मास्टर DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,आप सेट और लक्ष्यों की निगरानी कर सकते हैं ताकि सभी बिक्री लेनदेन कई ** बिक्री व्यक्तियों ** खिलाफ टैग किया जा सकता है। ,S.O. No.,बिक्री आदेश संख्या -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},लीड से ग्राहक बनाने कृपया {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},लीड से ग्राहक बनाने कृपया {0} DocType: Price List,Applicable for Countries,देशों के लिए लागू apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,केवल छोड़ दो की स्थिति के साथ अनुप्रयोग 'स्वीकृत' और 'अस्वीकृत' प्रस्तुत किया जा सकता apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},छात्र समूह का नाम पंक्ति में अनिवार्य है {0} @@ -2655,6 +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},आइटम {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,बकाया राशि @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,निर्माण क 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.,डिस्काउंट प्रतिशत एक मूल्य सूची के खिलाफ या सभी मूल्य सूची के लिए या तो लागू किया जा सकता है. DocType: Purchase Invoice,Half-yearly,आधे साल में एक बार apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,आप मूल्यांकन मानदंड के लिए पहले से ही मूल्यांकन कर चुके हैं {} DocType: Vehicle Service,Engine Oil,इंजन तेल -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन में कर्मचारी नामकरण प्रणाली> एचआर सेटिंग्स सेट करें 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,ग्राहक पता @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,संगठन से संबंधित खातों की एक अलग चार्ट के साथ कानूनी इकाई / सहायक। DocType: Payment Request,Mute Email,म्यूट ईमेल apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","खाद्य , पेय और तंबाकू" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,आयोग दर 100 से अधिक नहीं हो सकता DocType: Stock Entry,Subcontract,उपपट्टा apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,1 {0} दर्ज करें @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,छात्र मासिक उपस्थिति पत्रक apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},कर्मचारी {0} पहले से ही दोनों के बीच {1} के लिए आवेदन किया है {2} और {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,परियोजना प्रारंभ दिनांक -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,जब तक +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,जब तक DocType: Rename Tool,Rename Log,प्रवेश का नाम बदलें apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,छात्र समूह या पाठ्यक्रम अनुसूची अनिवार्य है DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,बिलिंग घंटे और काम के घंटे timesheet पर ही बनाए रखने @@ -2778,7 +2785,7 @@ DocType: Purchase Order Item,Returned Qty,लौटे मात्रा DocType: Employee,Exit,निकास apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,रूट प्रकार अनिवार्य है DocType: BOM,Total Cost(Company Currency),कुल लागत (कंपनी मुद्रा) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,धारावाहिक नहीं {0} बनाया +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,धारावाहिक नहीं {0} बनाया DocType: Homepage,Company Description for website homepage,वेबसाइट मुखपृष्ठ के लिए कंपनी विवरण DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ग्राहकों की सुविधा के लिए इन कोड प्रिंट स्वरूपों में चालान और वितरण नोट की तरह इस्तेमाल किया जा सकता है apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier नाम @@ -2798,7 +2805,7 @@ DocType: SMS Settings,SMS Gateway URL,एसएमएस गेटवे URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,कोर्स अनुसूचियों को हटाया: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,एसएमएस वितरण की स्थिति बनाए रखने के लिए लॉग DocType: Accounts Settings,Make Payment via Journal Entry,जर्नल प्रविष्टि के माध्यम से भुगतान करने के -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,इस तिथि पर प्रिंट किया गया +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,इस तिथि पर प्रिंट किया गया DocType: Item,Inspection Required before Delivery,निरीक्षण प्रसव से पहले आवश्यक DocType: Item,Inspection Required before Purchase,निरीक्षण खरीद से पहले आवश्यक apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,गतिविधियों में लंबित @@ -2830,9 +2837,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,छात apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,सीमा पार apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,इस 'शैक्षिक वर्ष' के साथ एक शैक्षणिक अवधि {0} और 'शब्द का नाम' {1} पहले से ही मौजूद है। इन प्रविष्टियों को संशोधित करने और फिर कोशिश करें। -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","आइटम {0} के खिलाफ मौजूदा लेनदेन देखते हैं के रूप में, आप के मूल्य में परिवर्तन नहीं कर सकते {1}" +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}","आइटम {0} के खिलाफ मौजूदा लेनदेन देखते हैं के रूप में, आप के मूल्य में परिवर्तन नहीं कर सकते {1}" DocType: UOM,Must be Whole Number,पूर्ण संख्या होनी चाहिए DocType: Leave Control Panel,New Leaves Allocated (In Days),नई पत्तियों आवंटित (दिनों में) +DocType: Sales Invoice,Invoice Copy,चालान की प्रति apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,धारावाहिक नहीं {0} मौजूद नहीं है DocType: Sales Invoice Item,Customer Warehouse (Optional),ग्राहक गोदाम (वैकल्पिक) DocType: Pricing Rule,Discount Percentage,डिस्काउंट प्रतिशत @@ -2877,8 +2885,10 @@ 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 +305,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,संचित मूल्यह्रास अकाउंट DocType: Stock Settings,Freeze Stock Entries,स्टॉक प्रविष्टियां रुक +DocType: Program Enrollment,Boarding Student,बोर्डिंग छात्र DocType: Asset,Expected Value After Useful Life,उम्मीद मूल्य उपयोगी जीवन के बाद DocType: Item,Reorder level based on Warehouse,गोदाम के आधार पर पुन: व्यवस्थित स्तर DocType: Activity Cost,Billing Rate,बिलिंग दर @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,वारंटी / एएमसी apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,गतिविधि आधारित समूह के लिए मैन्युअल रूप से छात्रों का चयन करें DocType: Journal Entry,User Remark,उपयोगकर्ता के टिप्पणी DocType: Lead,Market Segment,बाजार खंड -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},भुगतान की गई राशि कुल नकारात्मक बकाया राशि से अधिक नहीं हो सकता है {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},भुगतान की गई राशि कुल नकारात्मक बकाया राशि से अधिक नहीं हो सकता है {0} DocType: Employee Internal Work History,Employee Internal Work History,कर्मचारी आंतरिक कार्य इतिहास apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),समापन (डॉ.) DocType: Cheque Print Template,Cheque Size,चैक आकार -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,धारावाहिक नहीं {0} नहीं स्टॉक में +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,धारावाहिक नहीं {0} नहीं स्टॉक में apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट . DocType: Sales Invoice,Write Off Outstanding Amount,ऑफ बकाया राशि लिखें apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},खाता {0} कंपनी के साथ मेल नहीं खाता {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,कुछ नमूना रिकॉर्ड को जोड़ें +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,पूरी तरह से वितरित @@ -2947,17 +2957,17 @@ 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 +418,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ग्राहक के क्रय आदेश apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,सीरियल नहीं और बैच DocType: Warranty Claim,From Company,कंपनी से -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन मापदंड के अंकों के योग {0} की जरूरत है। +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन मापदंड के अंकों के योग {0} की जरूरत है। 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 +270,Minute,मिनट +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,मिनट DocType: Purchase Invoice,Purchase Taxes and Charges,खरीद कर और शुल्क ,Qty to Receive,प्राप्त करने के लिए मात्रा DocType: Leave Block List,Leave Block List Allowed,छोड़ दो ब्लॉक सूची रख सकते है @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,समर्थक- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,बैंक ओवरड्राफ्ट खाता apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,वेतन पर्ची बनाओ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,पंक्ति # {0}: आवंटित राशि बकाया राशि से अधिक नहीं हो सकती। -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ब्राउज़ बीओएम +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ब्राउज़ बीओएम apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,सुरक्षित कर्जे DocType: Purchase Invoice,Edit Posting Date and Time,पोस्टिंग दिनांक और समय संपादित करें apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},में परिसंपत्ति वर्ग {0} या कंपनी मूल्यह्रास संबंधित खाते सेट करें {1} @@ -2993,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 +278,Select Quantity,मात्रा चुनें +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,इस ईमेल डाइजेस्ट से सदस्यता रद्द @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},से शेयर लेनदेन पुराने अद्यतन करने की अनुमति नहीं है {0} DocType: Purchase Invoice Item,PR Detail,पीआर विस्तार DocType: Sales Order,Fully Billed,पूरी तरह से किसी तरह का बिल +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,आपूर्तिकर्ता> प्रदायक प्रकार 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 +127,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),पैकेज के कुल वजन. आमतौर पर शुद्ध + वजन पैकेजिंग सामग्री के वजन. (प्रिंट के लिए) @@ -3053,8 +3064,9 @@ 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} प्रस्तुत नहीं किया गया है DocType: Customs Tariff Number,Tariff Number,शुल्क सूची संख्या +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP गोदाम में उपलब्ध मात्रा apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,प्रक्षेपित -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},धारावाहिक नहीं {0} वेयरहाउस से संबंधित नहीं है {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},धारावाहिक नहीं {0} वेयरहाउस से संबंधित नहीं है {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,नोट : सिस्टम मद के लिए वितरण और अधिक से अधिक बुकिंग की जांच नहीं करेगा {0} मात्रा या राशि के रूप में 0 है DocType: Notification Control,Quotation Message,कोटेशन संदेश DocType: Employee Loan,Employee Loan Application,कर्मचारी ऋण आवेदन @@ -3072,13 +3084,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,उतरा लागत वाउचर राशि apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,विधेयकों आपूर्तिकर्ता द्वारा उठाए गए. DocType: POS Profile,Write Off Account,ऑफ खाता लिखें -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,डेबिट नोट एएमटी +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,डेबिट नोट एएमटी apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,छूट राशि 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 +207,e.g. VAT,उदाहरणार्थ +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,उप ठेका @@ -3086,7 +3098,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 +1945,Please select customer,कृपया ग्राहक का चयन +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,कृपया ग्राहक का चयन DocType: C-Form,I,मैं DocType: Company,Asset Depreciation Cost Center,संपत्ति मूल्यह्रास लागत केंद्र DocType: Sales Order Item,Sales Order Date,बिक्री आदेश दिनांक @@ -3115,7 +3127,7 @@ DocType: Lead,Address Desc,जानकारी पता करने के apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,पार्टी अनिवार्य है DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,विषय नाम -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,बेचने या खरीदने का कम से कम एक का चयन किया जाना चाहिए +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,बेचने या खरीदने का कम से कम एक का चयन किया जाना चाहिए apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,आपके व्यवसाय की प्रकृति का चयन करें। apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},पंक्ति # {0}: संदर्भ में डुप्लिकेट एंट्री {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,निर्माण कार्यों कहां किया जाता है। @@ -3124,7 +3136,7 @@ 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} DocType: Employee,Confirmation Date,पुष्टिकरण तिथि DocType: C-Form,Total Invoiced Amount,कुल चालान राशि -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता DocType: Account,Accumulated Depreciation,संग्रहित अवमूल्यन DocType: Stock Entry,Customer or Supplier Details,ग्राहक या आपूर्तिकर्ता विवरण DocType: Employee Loan Application,Required by Date,दिनांक द्वारा आवश्यक @@ -3153,10 +3165,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,खरीद apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,कंपनी का नाम कंपनी नहीं किया जा सकता apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,प्रिंट टेम्पलेट्स के लिए पत्र सिर . apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,प्रिंट टेम्पलेट्स के लिए खिताब उदा प्रोफार्मा चालान . +DocType: Program Enrollment,Walking,चलना DocType: Student Guardian,Student Guardian,छात्र गार्जियन apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार के आरोप समावेशी के रूप में चिह्नित नहीं कर सकता DocType: POS Profile,Update Stock,स्टॉक अद्यतन -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,आपूर्तिकर्ता> प्रदायक प्रकार apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,मदों के लिए अलग UOM गलत ( कुल ) नेट वजन मूल्य को बढ़ावा मिलेगा. प्रत्येक आइटम का शुद्ध वजन ही UOM में है कि सुनिश्चित करें. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,बीओएम दर DocType: Asset,Journal Entry for Scrap,स्क्रैप के लिए जर्नल प्रविष्टि @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,शो कर तोड़-अप apps/erpnext/erpnext/accounts/party.py +308,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,कोई छात्र नहीं मिले @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,में कोई छात्र नहीं +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 +108,Please enter 'Expected Delivery Date',' उम्मीद की डिलीवरी तिथि ' दर्ज करें apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,अमान्य जीएसटीआईएन या अनारिजीस्टर्ड के लिए एनएआर दर्ज करें +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,अमान्य जीएसटीआईएन या अनारिजीस्टर्ड के लिए एनएआर दर्ज करें DocType: Training Event,Seminar,सेमिनार DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नामांकन शुल्क DocType: Item,Supplier Items,प्रदायक आइटम @@ -3264,21 +3275,23 @@ DocType: Sales Team,Contribution (%),अंशदान (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,नोट : भुगतान एंट्री ' नकद या बैंक खाता' निर्दिष्ट नहीं किया गया था के बाद से नहीं बनाया जाएगा apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,जिम्मेदारियों DocType: Expense Claim Account,Expense Claim Account,व्यय दावा अकाउंट +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटअप के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें> सेटिंग> नामकरण श्रृंखला 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,उपयोगकर्ता जोड़ें 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 से अधिक नहीं हो सकता है। DocType: Stock Reconciliation Item,Before reconciliation,सुलह से पहले apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),करों और शुल्कों जोड़ा (कंपनी मुद्रा) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आइटम कर पंक्ति {0} प्रकार टैक्स या आय या खर्च या प्रभार्य का खाता होना चाहिए +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आइटम कर पंक्ति {0} प्रकार टैक्स या आय या खर्च या प्रभार्य का खाता होना चाहिए DocType: Sales Order,Partly Billed,आंशिक रूप से बिल apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,मद {0} एक निश्चित परिसंपत्ति मद में होना चाहिए DocType: Item,Default BOM,Default बीओएम -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,डेबिट नोट राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,डेबिट नोट राशि apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,फिर से लिखें कंपनी के नाम की पुष्टि के लिए कृपया -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,कुल बकाया राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,कुल बकाया राशि DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्स DocType: Sales Invoice,Include Payment (POS),भुगतान को शामिल करें (पीओएस) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},कुल डेबिट कुल क्रेडिट के बराबर होना चाहिए . @@ -3286,19 +3299,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,मो DocType: Vehicle,Insurance Company,बीमा कंपनी DocType: Asset Category Account,Fixed Asset Account,फिक्स्ड परिसंपत्ति खाते apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,परिवर्तनशील -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,डिलिवरी नोट से +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,डिलिवरी नोट से DocType: Student,Student Email Address,छात्र ईमेल एड्रेस DocType: Timesheet Detail,From Time,समय से apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,स्टॉक में: DocType: Notification Control,Custom Message,कस्टम संदेश apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,निवेश बैंकिंग apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग सीरिज के माध्यम से उपस्थिति के लिए श्रृंखलाबद्ध संख्या सेट करना apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,छात्र का पता 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 +1517,Address Name,पता नाम +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,पता नाम DocType: Stock Entry,From BOM,बीओएम से DocType: Assessment Code,Assessment Code,आकलन संहिता apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,बुनियादी @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा। +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/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,मासिक भुगतान राशि ऋण राशि से अधिक नहीं हो सकता @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,छात्र पहले से ही दाखिला लिया है। @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,प्रक्रिया पेर apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,इस महीने के दिन काम की तुलना में अधिक छुट्टियां कर रहे हैं . DocType: Product Bundle Item,Product Bundle Item,उत्पाद बंडल आइटम DocType: Sales Partner,Sales Partner Name,बिक्री भागीदार नाम -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,कोटेशन के लिए अनुरोध +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,कोटेशन के लिए अनुरोध DocType: Payment Reconciliation,Maximum Invoice Amount,अधिकतम चालान राशि DocType: Student Language,Student Language,छात्र भाषा apps/erpnext/erpnext/config/selling.py +23,Customers,ग्राहकों @@ -3342,7 +3354,7 @@ DocType: Asset,Partially Depreciated,आंशिक रूप से घिस DocType: Issue,Opening Time,समय खुलने की apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,दिनांक से और apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,प्रतिभूति एवं कमोडिटी एक्सचेंजों -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई '{0}' खाका के रूप में ही होना चाहिए '{1}' +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 +847,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,कच्चे माल +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,सबसे कम राशि के बाद टैक्स राशि @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,दिनांक खोलने की तिथि बंद करने से पहले किया जाना चाहिए -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटअप के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें> सेटिंग> नामकरण श्रृंखला 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.,दिन छुट्टियाँ जिसके लिए इस विभाग के लिए अवरुद्ध कर रहे हैं. @@ -3384,8 +3395,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0} +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/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,बैंक एंट्री DocType: Authorization Rule,Applicable To (Designation),के लिए लागू (पद) @@ -3402,7 +3413,7 @@ 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 +270,Hour,घंटा +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,आप ब्लॉक तारीखों पर पत्तियों को मंजूरी के लिए अधिकृत नहीं हैं @@ -3412,7 +3423,7 @@ 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 +645,Point of Sale,बिक्री के प्वाइंट +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,बिक्री के प्वाइंट DocType: Payment Entry,Received Amount,प्राप्त राशि DocType: GST Settings,GSTIN Email Sent On,जीएसटीआईएन ईमेल भेजा गया DocType: Program Enrollment,Pick/Drop by Guardian,गार्जियन द्वारा उठाओ / ड्रॉप @@ -3427,8 +3438,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 +270,Gram,ग्राम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए। +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/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,14 +3464,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 +465,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,कई कर्मचारियों के लिए मार्क उपस्थिति @@ -3492,7 +3503,7 @@ 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 +436,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0} DocType: Leave Allocation,Unused leaves,अप्रयुक्त पत्ते apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,सीआर DocType: Tax Rule,Billing State,बिलिंग राज्य @@ -3539,7 +3550,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},अमान्य विशेषता {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',कृपया 'सभी मूल्यांकन समूह' के अलावा अन्य मूल्यांकन समूह का चयन करें @@ -3637,16 +3648,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,वेतन अवय DocType: Program Enrollment Tool,New Academic Year,नए शैक्षणिक वर्ष apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,वापसी / क्रेडिट नोट DocType: Stock Settings,Auto insert Price List rate if missing,ऑटो डालने मूल्य सूची दर लापता यदि -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,कुल भुगतान की गई राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,कुल भुगतान की गई राशि DocType: Production Order Item,Transferred Qty,मात्रा तबादला apps/erpnext/erpnext/config/learn.py +11,Navigating,नेविगेट 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 +272,We sell this Item,हम इस आइटम बेचने +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,नमूना डेटा 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,आधा दिन की तारीख @@ -3694,7 +3707,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 +1186,Please set Company,कृपया कंपनी सेट करें +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,कृपया कंपनी सेट करें DocType: Pricing Rule,Buying,क्रय DocType: HR Settings,Employee Records to be created by,कर्मचारी रिकॉर्ड्स द्वारा पैदा किए जाने की DocType: POS Profile,Apply Discount On,डिस्काउंट पर लागू होते हैं @@ -3710,13 +3723,14 @@ 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,फीस जमा DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1} DocType: Lead,Add to calendar on this date,इस तिथि पर कैलेंडर में जोड़ें apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम. DocType: Item,Opening Stock,आरंभिक स्टॉक apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ग्राहक की आवश्यकता है apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} वापसी के लिए अनिवार्य है DocType: Purchase Order,To Receive,प्राप्त करने के लिए +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,व्यक्तिगत ईमेल apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,कुल विचरण DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","यदि सक्रिय है, प्रणाली स्वतः सूची के लिए लेखांकन प्रविष्टियों के बाद होगा." @@ -3728,7 +3742,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 +541,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,मानक बेच @@ -3736,7 +3750,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,वारंटी के बाहर DocType: BOM Replace Tool,Replace,बदलें apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,कोई उत्पाद नहीं मिला -DocType: Production Order,Unstopped,भी खोले apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} बिक्री चालान के खिलाफ {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,इस परियोजना का नाम @@ -3747,6 +3760,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} हो गया है 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} या पहले से ही अन्य वाउचर के खिलाफ मिलान खाता नहीं है @@ -3782,9 +3796,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,यह एक शेयर आइटम नहीं है क्योंकि मद {0} को नजरअंदाज कर दिया +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 +40,Submit this Production Order for further processing.,आगे की प्रक्रिया के लिए इस उत्पादन का आदेश सबमिट करें . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,नौकरियां @@ -3792,12 +3806,14 @@ 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 +209,Rate (%),दर (% ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","खुद के अलावा अन्य, अपने संगठन के लिए उपयोगकर्ताओं को जोड़ें" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',अगर ग्रुप बाय 'कंपनी' है तो कंपनी को फिल्टर रिक्त करें apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,पोस्ट दिनांक भविष्य की तारीख नहीं किया जा सकता apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},पंक्ति # {0}: सीरियल नहीं {1} के साथ मेल नहीं खाता {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,आकस्मिक छुट्टी @@ -3826,7 +3842,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,स्टॉक खाता प apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,आइटम {0} सीरियल नग स्तंभ के लिए सेटअप रिक्त होना चाहिए नहीं है +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,आइटम {0} सीरियल नग स्तंभ के लिए सेटअप रिक्त होना चाहिए नहीं है DocType: Accounts Settings,Accounts Settings,लेखा सेटिंग्स apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,मंजूर DocType: Customer,Sales Partner and Commission,बिक्री साथी और आयोग @@ -3841,7 +3857,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,बीओएम धमाका आइटम DocType: Account,Auditor,आडिटर -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} उत्पादित वस्तुओं +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,वापसी @@ -3855,7 +3871,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,विनिमय दर -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,बेड़े प्रबंधन @@ -3880,18 +3896,18 @@ 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 +705,Online,ऑनलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} अक्षम किया गया है DocType: Employee Loan,Repay Fixed Amount per Period,चुकाने अवधि के प्रति निश्चित राशि apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},आइटम के लिए मात्रा दर्ज करें {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,क्रेडिट नोट एएमटी +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,क्रेडिट नोट एएमटी DocType: Employee External Work History,Employee External Work History,कर्मचारी बाहरी काम इतिहास DocType: Tax Rule,Purchase,क्रय apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,शेष मात्रा @@ -3916,7 +3932,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 +2383,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें DocType: Employee,Encashment Date,नकदीकरण तिथि DocType: Training Event,Internet,इंटरनेट DocType: Account,Stock Adjustment,शेयर समायोजन @@ -3945,6 +3961,7 @@ DocType: Guardian,Guardian Of ,के गार्जियन DocType: Grading Scale Interval,Threshold,डेवढ़ी DocType: BOM Replace Tool,Current BOM,वर्तमान बीओएम apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,धारावाहिक नहीं जोड़ें +DocType: Production Order Item,Available Qty at Source Warehouse,स्रोत वेयरहाउस पर उपलब्ध मात्रा apps/erpnext/erpnext/config/support.py +22,Warranty,गारंटी DocType: Purchase Invoice,Debit Note Issued,डेबिट नोट जारी DocType: Production Order,Warehouses,गोदामों @@ -3960,13 +3977,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,राशि apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,परियोजना प्रबंधक ,Quoted Item Comparison,उद्धरित मद तुलना apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,प्रेषण -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,अधिकतम छूट मद के लिए अनुमति दी: {0} {1}% है +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 +279,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 +879,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है" DocType: Item,Material Issue,महत्त्वपूर्ण विषय DocType: Hub Settings,Seller Description,विक्रेता विवरण DocType: Employee Education,Qualification,योग्यता @@ -3990,7 +4007,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"प्रस्तुत स्टॉक एंट्री {0} मौजूद है , क्योंकि रद्द नहीं कर सकते" DocType: Employee Loan,Disbursement Date,संवितरण की तारीख DocType: Vehicle,Vehicle,वाहन DocType: Purchase Invoice,In Words,शब्दों में @@ -4010,7 +4027,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","डिफ़ॉल्ट रूप में इस वित्तीय वर्ष में सेट करने के लिए , 'मूलभूत रूप में सेट करें ' पर क्लिक करें" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,जुडें apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,कमी मात्रा -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है DocType: Employee Loan,Repay from Salary,वेतन से बदला DocType: Leave Application,LAP/,गोद / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},के खिलाफ भुगतान का अनुरोध {0} {1} राशि के लिए {2} @@ -4028,18 +4045,18 @@ 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 +1011,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है। +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,धारावाहिक नहीं {0} पहले से ही प्राप्त हो गया है +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: Expense Claim,Vehicle Log,वाहन लॉग DocType: Purchase Invoice,Recurring Id,आवर्ती आईडी DocType: Customer,Sales Team Details,बिक्री टीम विवरण -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,स्थायी रूप से हटाना चाहते हैं? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},अमान्य {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},अमान्य {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,बीमारी छुट्टी DocType: Email Digest,Email Digest,ईमेल डाइजेस्ट DocType: Delivery Note,Billing Address Name,बिलिंग पता नाम @@ -4052,6 +4069,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,प्रभार्य DocType: Company,Change Abbreviation,बदले संक्षिप्त DocType: Expense Claim Detail,Expense Date,व्यय तिथि +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड DocType: Item,Max Discount (%),अधिकतम डिस्काउंट (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,अंतिम आदेश राशि DocType: Task,Is Milestone,क्या मील का पत्थर है @@ -4075,8 +4093,8 @@ DocType: Program Enrollment Tool,New Program,नए कार्यक्रम DocType: Item Attribute Value,Attribute Value,मान बताइए ,Itemwise Recommended Reorder Level,Itemwise पुनःक्रमित स्तर की सिफारिश की DocType: Salary Detail,Salary Detail,वेतन विस्तार -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,पहला {0} का चयन करें -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,आइटम के बैच {0} {1} समाप्त हो गया है। +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,पहला {0} का चयन करें +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,आइटम के बैच {0} {1} समाप्त हो गया है। DocType: Sales Invoice,Commission,आयोग apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,विनिर्माण के लिए समय पत्रक। apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,आधा @@ -4101,12 +4119,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 +399,Operation Time must be greater than 0 for Operation {0},आपरेशन के समय ऑपरेशन के लिए 0 से अधिक होना चाहिए {0} +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/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 +387,Production Order cannot be raised against a Item Template,उत्पादन का आदेश एक आइटम टेम्पलेट के खिलाफ उठाया नहीं जा सकता +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,प्रारंभ दिनांक @@ -4136,7 +4154,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,निपटान की तिथि DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ईमेल दी घंटे में कंपनी के सभी सक्रिय कर्मचारियों के लिए भेजा जाएगा, अगर वे छुट्टी की जरूरत नहीं है। प्रतिक्रियाओं का सारांश आधी रात को भेजा जाएगा।" DocType: Employee Leave Approver,Employee Leave Approver,कर्मचारी छुट्टी अनुमोदक -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","खो के रूप में उद्धरण बना दिया गया है , क्योंकि घोषणा नहीं कर सकते हैं ." 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} प्रस्तुत किया जाना चाहिए @@ -4169,6 +4187,7 @@ DocType: Announcement,Student,छात्र apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,संगठन इकाई ( विभाग ) मास्टर . apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,वैध मोबाइल नंबर दर्ज करें apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,भेजने से पहले संदेश प्रविष्ट करें +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,आपूर्तिकर्ता के लिए डुप्लिकेट DocType: Email Digest,Pending Quotations,कोटेशन लंबित apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,प्वाइंट-ऑफ-सेल प्रोफ़ाइल apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,एसएमएस सेटिंग को अपडेट करें @@ -4177,7 +4196,7 @@ DocType: Cost Center,Cost Center Name,लागत केन्द्र का DocType: Employee,B+,बी + DocType: HR Settings,Max working hours against Timesheet,मैक्स Timesheet के खिलाफ काम के घंटे DocType: Maintenance Schedule Detail,Scheduled Date,अनुसूचित तिथि -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,कुल भुगतान राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,कुल भुगतान राशि DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 चरित्र से अधिक संदेश कई mesage में split जाएगा DocType: Purchase Receipt Item,Received and Accepted,प्राप्त और स्वीकृत ,GST Itemised Sales Register,जीएसटी मदरहित बिक्री रजिस्टर @@ -4187,7 +4206,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 +237,Your Suppliers,अपने आपूर्तिकर्ताओं +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',घटा नहीं सकते जब श्रेणी 'मूल्यांकन' या 'Vaulation और कुल' के लिए है @@ -4199,7 +4218,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,मद {1} से जुड़ी वेबसाइट छवि {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.,कई समूहों में वेबसाइट पर इस मद की सूची. @@ -4214,7 +4233,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,यह क apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,गोदाम के लिए apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,सभी छात्र प्रवेश ,Average Commission Rate,औसत कमीशन दर -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,गैर स्टॉक आइटम के लिए क्रमांक 'हाँ' नहीं हो सकता +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,गैर स्टॉक आइटम के लिए क्रमांक 'हाँ' नहीं हो सकता apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,उपस्थिति भविष्य तारीखों के लिए चिह्नित नहीं किया जा सकता DocType: Pricing Rule,Pricing Rule Help,मूल्य निर्धारण नियम मदद DocType: School House,House Name,घरेलु नाम @@ -4230,7 +4249,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 +339,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,बीमा प्रारंभ दिनांक से बीमा समाप्ति की तारीख कम होना चाहिए @@ -4245,20 +4264,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},कर्मचारी के वेतन पर्ची {0} पहले से ही समय पत्रक के लिए बनाई गई {1} DocType: Vehicle Log,Odometer,ओडोमीटर DocType: Sales Order Item,Ordered Qty,मात्रा का आदेश दिया -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,मद {0} अक्षम हो जाता है +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 +874,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,ईंधन भराई विवरण apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,वेतन स्लिप्स उत्पन्न -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो खरीदना, जाँच की जानी चाहिए {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो खरीदना, जाँच की जानी चाहिए {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,सबसे कम से कम 100 होना चाहिए 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 +500,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,कार्यक्रम नामांकन DocType: Landed Cost Voucher,Landed Cost Voucher,उतरा लागत वाउचर @@ -4318,7 +4337,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,एमवी apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,उम्मीद की तारीख सामग्री अनुरोध तिथि से पहले नहीं हो सकता DocType: Purchase Invoice Item,Stock Qty,स्टॉक मात्रा -DocType: Production Order,Source Warehouse (for reserving Items),स्रोत गोदाम (आइटम आरक्षित के लिए) DocType: Employee Loan,Repayment Period in Months,महीने में चुकाने की अवधि apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,त्रुटि: नहीं एक वैध पहचान? DocType: Naming Series,Update Series Number,अद्यतन सीरीज नंबर @@ -4366,7 +4384,7 @@ DocType: Production Order,Planned End Date,नियोजित समाप् apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,आइटम कहाँ संग्रहीत हैं. DocType: Request for Quotation,Supplier Detail,प्रदायक विस्तार apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},सूत्र या हालत में त्रुटि: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,चालान राशि +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,चालान राशि DocType: Attendance,Attendance,उपस्थिति apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,स्टॉक आइटम DocType: BOM,Materials,सामग्री @@ -4406,10 +4424,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,सेटअप अपने संगठन के लिए एक साधारण वेबसाइट +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0} DocType: Item,Default Warehouse,डिफ़ॉल्ट गोदाम apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},बजट समूह खाते के खिलाफ नहीं सौंपा जा सकता {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,माता - पिता लागत केंद्र दर्ज करें @@ -4468,7 +4486,7 @@ 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 +1344,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने +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/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,यह इस कर्मचारी की उपस्थिति पर आधारित है @@ -4476,6 +4494,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,वर्ष प्रारंभ दिनांक DocType: Attendance,Employee Name,कर्मचारी का नाम DocType: Sales Invoice,Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन में कर्मचारी नामकरण प्रणाली> एचआर सेटिंग्स सेट करें 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} संशोधित किया गया है . रीफ्रेश करें. DocType: Leave Block List,Stop users from making Leave Applications on following days.,निम्नलिखित दिन पर छुट्टी अनुप्रयोग बनाने से उपयोगकर्ताओं को बंद करो. @@ -4498,7 +4517,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 पढ़ना ,Hub,हब DocType: GL Entry,Voucher Type,वाउचर प्रकार -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए @@ -4518,7 +4537,7 @@ DocType: POS Profile,Account for Change Amount,राशि परिवर् apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},पंक्ति {0}: पार्टी / खाते के साथ मैच नहीं करता है {1} / {2} में {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,व्यय खाते में प्रवेश करें DocType: Account,Stock,स्टॉक -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए" DocType: Employee,Current Address,वर्तमान पता DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","स्पष्ट रूप से जब तक निर्दिष्ट मद तो विवरण, छवि, मूल्य निर्धारण, करों टेम्पलेट से निर्धारित किया जाएगा आदि एक और आइटम का एक प्रकार है, तो" DocType: Serial No,Purchase / Manufacture Details,खरीद / निर्माण विवरण @@ -4556,11 +4575,12 @@ DocType: Student,Home Address,घर का पता apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,स्थानांतरण एसेट DocType: POS Profile,POS Profile,पीओएस प्रोफ़ाइल DocType: Training Event,Event Name,कार्यक्रम नाम -apps/erpnext/erpnext/config/schools.py +39,Admission,दाखिला +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,दाखिला apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},प्रवेश के लिए {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} आइटम एक टेम्पलेट है, इसके वेरिएंट में से एक का चयन करें" DocType: Asset,Asset Category,परिसंपत्ति वर्ग है +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,खरीदार apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता DocType: SMS Settings,Static Parameters,स्टेटिक पैरामीटर DocType: Assessment Plan,Room,कक्ष @@ -4569,6 +4589,7 @@ DocType: Item,Item Tax,आइटम टैक्स apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,प्रदायक के लिए सामग्री apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,आबकारी चालान apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% से अधिक बार दिखाई देता है +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र 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,वर्तमान देयताएं @@ -4640,6 +4661,7 @@ DocType: Leave Type,Is Carry Forward,क्या आगे ले जाना apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,प्रस्तुत नहीं वेतन निकल जाता है ,Stock Summary,स्टॉक सारांश diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv index 3fd29cccc0..af017ab425 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 +194,"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 +192,"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č @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Turistička Popis -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Knjigovođa +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Knjigovođa DocType: Cost Center,Stock User,Stock Korisnik DocType: Company,Phone No,Telefonski broj apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Raspored predmeta izrađen: @@ -110,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} ni na koji aktivno fiskalne godine. 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nije dopušteno {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Nabavite stavke iz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nije pronađen stavke +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,dionica izvješća DocType: Warehouse,Warehouse Detail,Detalji o skladištu apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prešao na kupca {0} {1} / {2} 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.,Datum Pojam završetka ne može biti kasnije od godine datum završetka školske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1} DocType: Item,Copy From Item Group,Primjerak iz točke Group DocType: Journal Entry,Opening Entry,Otvaranje - ulaz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> Skupina kupaca> Teritorij apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun platiti samo DocType: Employee Loan,Repay Over Number of Periods,Vrati Preko broj razdoblja DocType: Stock Entry,Additional Costs,Dodatni troškovi @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nekretnine -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Izjava o računu +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 DocType: Purchase Invoice Item,Is Fixed Asset,Je nepokretne imovine apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Dostupno Količina Jedinična je {0}, potrebno je {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,potrošni +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Primjer: Osnovni Matematika +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/config/hr.py +214,Settings for HR Module,Postavke za HR modula DocType: SMS Center,SMS Center,SMS centar @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Stavke i cijene apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Ukupno vrijeme: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma trebao biti u fiskalnoj godini. Uz pretpostavku Od datuma = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citati DocType: Customer,Individual,Pojedinac DocType: Interest,Academics User,Akademski korisnik DocType: Cheque Print Template,Amount In Figure,Iznos u slici @@ -265,7 +266,7 @@ DocType: Employee,Create User,Izradi korisnika DocType: Selling Settings,Default Territory,Zadani teritorij apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televizija DocType: Production Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance iznos ne može biti veći od {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance iznos ne može biti veći od {0} {1} DocType: Naming Series,Series List for this Transaction,Serija Popis za ovu transakciju DocType: Company,Enable Perpetual Inventory,Omogući trajnu zalihu DocType: Company,Default Payroll Payable Account,Zadana plaće Plaća račun @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Jer je potrebno Warehouse prije Podnijeti +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontakt ime +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ostavlja godišnje 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 +189,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1} +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bankovni tekstova apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,godišnji DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock pomirenje točka @@ -315,7 +316,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 +316,People who teach at your organisation,Ljudi koji uče u svojoj organizaciji +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Dopustite korisniku da uređivanje 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 +699,Item {0} is cancelled,Proizvod {0} je otkazan +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 +882,Material Request,Zahtjev za robom DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum DocType: Item,Purchase Details,Detalji nabave @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dva puta ušao u točki poreza +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} dva puta ušao u točki poreza apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Sažetak za ovaj tjedan i tijeku aktivnosti DocType: Student Applicant,Admitted,priznao DocType: Workstation,Rent Cost,Rent cost @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Zaprimljeno apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Stvaranje grupe učenika apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Postavke su već kompletne! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Iznos uplate kredita +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Iznos uplate kredita ,Finished Goods,Gotovi proizvodi DocType: Delivery Note,Instructions,Instrukcije DocType: Quality Inspection,Inspected By,Pregledati @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Stvaranje novog kupca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molim postavite serijske brojeve za sudjelovanje putem Setup> Serija numeriranja apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Izrada narudžbenice ,Purchase Register,Popis nabave DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,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 +361,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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Osobina {0} izabrani više puta u Svojstva tablice +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Osobina {0} izabrani više puta u Svojstva tablice DocType: HR Settings,Employee record is created using selected field. ,Zaposlenika rekord je stvorio pomoću odabranog polja. DocType: Sales Order,Not Applicable,Nije primjenjivo apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Majstor za odmor . @@ -524,7 +526,7 @@ 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Unesite skladište za koje Materijal Zahtjev će biti podignuta DocType: Production Order,Additional Operating Cost,Dodatni trošak apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kozmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke" DocType: Shipping Rule,Net Weight,Neto težina DocType: Employee,Emergency Phone,Telefon hitne službe apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupiti @@ -547,7 +549,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 +2428,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi porez i pristojbe DocType: Purchase Invoice,Supplier Invoice No,Dobavljač Račun br DocType: Territory,For reference,Za referencu -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne možete izbrisati Serijski broj {0}, kao što se koristi na lageru transakcija" +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žete izbrisati Serijski broj {0}, kao što se koristi na lageru transakcija" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Zatvaranje (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Premještanje stavke DocType: Serial No,Warranty Period (Days),Jamstveni period (dani) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Odaberite Društvo i Zabava Tip prvi apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financijska / obračunska godina. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Akumulirani Vrijednosti -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Napravi prodajnu narudžbu DocType: Project Task,Project Task,Zadatak projekta ,Lead Id,Id potencijalnog kupca @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Dodijeliti apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Povrat robe 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,Napomena: Ukupno dodijeljeni lišće {0} ne bi trebala biti manja od već odobrenih lišća {1} za razdoblje +,Total Stock Summary,Ukupni zbroj dionica DocType: Announcement,Posted By,Objavio DocType: Item,Delivered by Supplier (Drop Ship),Dostavlja Dobavljač (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza potencijalnih kupaca. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza kupaca. DocType: Quotation,Quotation To,Ponuda za DocType: Lead,Middle Income,Srednji Prihodi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otvaranje ( Cr ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Zadana mjerna jedinica za točke {0} se ne može mijenjati izravno, jer ste već napravili neke transakcije (e) s drugim UOM. Morat ćete stvoriti novu stavku za korištenje drugačiji Default UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Zadana mjerna jedinica za točke {0} se ne može mijenjati izravno, jer ste već napravili neke transakcije (e) s drugim UOM. Morat ćete stvoriti novu stavku za korištenje drugačiji Default UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Postavite tvrtku DocType: Purchase Order Item,Billed Amt,Naplaćeno Amt @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masteri DocType: Assessment Plan,Maximum Assessment Score,Maksimalni broj bodova Procjena apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Transakcijski Termini Update banke apps/erpnext/erpnext/config/projects.py +30,Time Tracking,praćenje vremena +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE ZA TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiskalna godina - tvrtka DocType: Packing Slip Item,DN Detail,DN detalj DocType: Training Event,Conference,Konferencija @@ -675,8 +679,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 +320,Timesheet created:,Timesheet stvorio: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,Završi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Završi apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Baza DocType: Timesheet,Total Billed Hours,Ukupno Naplaćene sati DocType: Journal Entry,Write Off Amount,Napišite paušalni iznos @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Prodavač Grad ,Absent Student Report,Odsutni Student Report DocType: Email Digest,Next email will be sent on:,Sljedeći email će biti poslan na: DocType: Offer Letter Term,Offer Letter Term,Ponuda pismo Pojam -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Stavka ima varijante. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Stavka ima varijante. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Stavka {0} nije pronađena DocType: Bin,Stock Value,Stock vrijednost apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Tvrtka {0} ne postoji @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Provjerite timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Zadana vrijednost prodane ro apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Popis Cijena ne bira DocType: Employee,Family Background,Obitelj Pozadina DocType: Request for Quotation Supplier,Send Email,Pošaljite e-poštu -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nemate dopuštenje +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nemate dopuštenje 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 +269,Nos,kom +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -872,7 +876,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 +274,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 +275,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 @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} mora biti aktivna +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1} DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Skladišta s postojećim transakcije ne može pretvoriti u knjigu. DocType: Bank Reconciliation,Total Amount,Ukupan iznos @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Komponente apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Unesite imovinom Kategorija tačke {0} DocType: Quality Inspection Reading,Reading 6,Čitanje 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izvanredan fakture +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izvanredan fakture DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ulazni račun - predujam DocType: Hub Settings,Sync Now,Sync Sada apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Red {0}: Kredit unos ne može biti povezan s {1} @@ -998,12 +1002,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 +731,New Sales Invoice,Novi prodajni Račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sinkronizacija Offline Računi +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,kemijski DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Zadana Banka / Novčani račun će biti automatski ažurira plaće Temeljnica kad je odabran ovaj način rada. DocType: BOM,Raw Material Cost(Company Currency),Troškova sirovine (Društvo valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Svi predmeti su već prebačeni za ovu radnog naloga. +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 +270,Meter,Metar +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1060,7 +1064,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 +452,Please enter Account for Change Amount,Unesite račun za promjene visine +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1068,7 +1072,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 +259,Qty for {0},Količina za {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Novac / bankovni račun apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite a {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Uklonjene stvari bez promjena u količini ili vrijednosti. DocType: Delivery Note,Delivery To,Dostava za -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Osobina stol je obavezno +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Osobina stol je obavezno DocType: Production Planning Tool,Get Sales Orders,Kreiraj narudžbe -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne može biti negativna +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne može biti negativna apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust DocType: Asset,Total Number of Depreciations,Ukupan broj deprecijaciju DocType: Sales Invoice Item,Rate With Margin,Ocijenite s marginom @@ -1118,7 +1122,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 +1546,ZIP Code,Poštanski broj +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1136,7 +1140,7 @@ 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Molimo postavite "Primijeni dodatni popust na ' +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 DocType: Global Defaults,Global Defaults,Globalne zadane postavke @@ -1168,10 +1172,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 +22,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 +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} 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 +347,Capacity Planning Error,Kapacitet Greška planiranje +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,Je li povratak apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} valjani serijski nos za Stavka {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} valjani serijski nos za Stavka {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kod proizvoda ne može se mijenjati za serijski broj. 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ć stvoren za korisnika: {1} i društvo {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM konverzijski faktor @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',Troška za stavku s šifra ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1241,7 +1245,7 @@ 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,Pogledaj Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Hrpa @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Primjer: Masters u Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Mjesto izdavanja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ugovor DocType: Email Digest,Add Quote,Dodaj ponudu -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaši proizvodi ili usluge +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 DocType: Mode of Payment,Mode of Payment,Način plaćanja -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati . @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status proizvodnog naloga je {0} DocType: Appraisal Goal,Goal,Cilj DocType: Sales Invoice Item,Edit Description,Uredi Opis ,Team Updates,tim ažuriranja @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dijete skladište postoji za ovaj skladište. Ne možete izbrisati ovaj skladište. 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 +177,Serial number {0} entered more than once,Serijski broj {0} ušao više puta +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 +78,{0} items in progress,{0} stavke u tijeku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1425,7 @@ 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 +260,Max: {0},Maksimalno: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Dostava Adresa Ime apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontni plan DocType: Material Request,Terms and Conditions Content,Uvjeti sadržaj apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne može biti veće od 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Proizvod {0} nije skladišni proizvod +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Proizvod {0} nije skladišni proizvod DocType: Maintenance Visit,Unscheduled,Neplanski DocType: Employee,Owned,U vlasništvu DocType: Salary Detail,Depends on Leave Without Pay,Ovisi o ostaviti bez platiti @@ -1465,7 +1467,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 +273,We buy this Item,Kupili smo ovaj proizvod +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,pod skupštine +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nisu pronađeni zapisi u tablici plaćanja apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},To {0} sukobi s {1} od {2} {3} DocType: Student Attendance Tool,Students HTML,Studenti HTML DocType: POS Profile,Apply Discount,Primijeni popust -DocType: Purchase Invoice Item,GST HSN Code,GST HSN kod +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 +283,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan @@ -1557,8 +1559,8 @@ 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 +2573,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,kutija +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Način otplate DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, početna stranica će biti zadana točka Grupa za web stranicu" DocType: Quality Inspection Reading,Reading 4,Čitanje 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Zadana BOM {0} nije pronađen Projekta {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Potraživanja za tvrtke trošak. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Novi zadatak apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Napravite citat apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostala izvješća DocType: Dependent Task,Dependent Task,Ovisno zadatak -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0} 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} DocType: SMS Center,Receiver List,Prijemnik Popis -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Traži Stavka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,već završena +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,ID klijenta POS DocType: Account,Account Name,Naziv računa apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dobavljač Vrsta majstor . DocType: Purchase Order Item,Supplier Part Number,Dobavljač Broj dijela apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Zadana Plaća račun apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Postavke za online košarici, kao što su utovar pravila, cjenika i sl" @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Uključi odmor u li DocType: Sales Invoice,Packed Items,Pakirani proizvodi apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Jamstvo tužbu protiv Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Zamijeni određeni BOM u svim sastavnicama u kojima se koristio. On će zamijeniti staru BOM poveznicu, ažurirati cijene i regenerirati ""BOM Explosion Item"" tablicu kao novi BOM sastavnice" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Ukupno' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Ukupno' DocType: Shopping Cart Settings,Enable Shopping Cart,Omogućite Košarica DocType: Employee,Permanent Address,Stalna adresa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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. @@ -1741,7 +1744,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Glavni apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varijanta DocType: Naming Series,Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije DocType: Employee Attendance Tool,Employees HTML,Zaposlenici HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak 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 @@ -1770,7 +1773,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 +175,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 +173,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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,Serijski brojevi i serije apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Snaga grupe učenika apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Temeljnica {0} nema premca {1} unos apps/erpnext/erpnext/config/hr.py +137,Appraisals,procjene -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dupli serijski broj unešen za proizvod {0} +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" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} mora biti podnesen +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Uplata @@ -1806,12 +1809,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,imovina pokret -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Novi Košarica +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Se predmeti od kupnje primitke DocType: Serial No,Creation Date,Datum stvaranja apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Proizvod {0} se pojavljuje više puta u cjeniku {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}" DocType: Production Plan Material Request,Material Request Date,Materijal Zahtjev Datum DocType: Purchase Order Item,Supplier Quotation Item,Dobavljač ponudu artikla DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Onemogućuje stvaranje vremenskih trupaca protiv radne naloge. Operacije neće biti praćeni protiv proizvodnje Reda @@ -1853,12 +1856,12 @@ DocType: Supplier,Supplier of Goods or Services.,Dobavljač dobara ili usluga. DocType: Budget,Fiscal Year,Fiskalna godina DocType: Vehicle Log,Fuel Price,Cijena goriva DocType: Budget,Budget,Budžet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fiksni Asset Stavka mora biti ne-stock točka a. +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 +209,e.g. 5,na primjer 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1867,7 +1870,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,"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 +263,A Product or Service,Proizvod ili usluga +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Stvarni Datum završetka (putem vremenska tablica) 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 +160,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 +342,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun +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 DocType: Shipping Rule Condition,Shipping Amount,Dostava Iznos -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj korisnike +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,Potraživanja ,Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Unesite uplaćeni iznos DocType: Salary Structure,Select employees for current Salary Structure,Odaberite djelatnika za tekuću Struktura plaća +DocType: Sales Invoice,Company Address Name,Naziv tvrtke 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) @@ -1999,7 +2003,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 +269,Unit,jedinica +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,iznos razlika @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasifikacija korisnika po regiji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Razlika Iznos mora biti jednak nuli DocType: Project,Gross Margin,Bruto marža -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Unesite Proizvodnja predmeta prvi +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 +748,Quotation,Ponuda @@ -2041,7 +2045,7 @@ 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**. DocType: Opportunity,Customer / Lead Address,Kupac / Olovo Adresa -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL potvrda o vezanosti {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL potvrda o vezanosti {0} DocType: Student Admission,Eligibility,kvalificiranost apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Potencijalni kupci će vam pomoći u posao, dodati sve svoje kontakte, a više kao svoje potencijalne klijente" DocType: Production Order Operation,Actual Operation Time,Stvarni Operacija vrijeme @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Izračunajte ukupni rezultat DocType: Request for Quotation,Manufacturing Manager,Upravitelj proizvodnje apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split otpremnici u paketima. -apps/erpnext/erpnext/hooks.py +87,Shipments,Pošiljke +apps/erpnext/erpnext/hooks.py +94,Shipments,Pošiljke DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupno Dodijeljeni iznos (Društvo valuta) DocType: Purchase Order Item,To be delivered to customer,Da biste se dostaviti kupcu DocType: BOM,Scrap Material Cost,Otpaci materijalni troškovi -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serijski broj {0} ne pripada bilo Skladište +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serijski broj {0} ne pripada bilo Skladište DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta tvrtke) DocType: Asset,Supplier,Dobavljač DocType: C-Form,Quarter,Četvrtina @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Zaposlenik račun kredita DocType: Leave Application,Total Leave Days,Ukupno Ostavite Dani DocType: Email Digest,Note: Email will not be sent to disabled users,Napomena: E-mail neće biti poslan nepostojećim korisnicima apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Broj interakcija -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra stavke> Skupina stavke> Brand 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 +408,{0} is mandatory for Item {1},{0} je obavezno za točku {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2124,7 +2127,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Rashodi Zahtjev Detalj -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Molimo odaberite ispravnu račun +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE ZA DOBAVLJAČ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Molimo odaberite ispravnu račun DocType: Item,Weight UOM,Težina UOM DocType: Salary Structure Employee,Salary Structure Employee,Struktura plaća zaposlenika DocType: Employee,Blood Group,Krvna grupa @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,čuvari 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 +336,Debit To is required,Zaduženja je potrebno +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Ukupno Neplaćeni: DocType: BOM Website Operation,BOM Website Operation,BOM Web Rad apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponuda Pismo apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generirajte Materijal Upiti (MRP) i radne naloge. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Ukupno fakturirati Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Ukupno fakturirati Amt DocType: BOM,Conversion Rate,Stopa pretvorbe apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Pretraga proizvoda DocType: Timesheet Detail,To Time,Za vrijeme @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za Artikl {1}. Ti su dali {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za Artikl {1}. Ti su dali {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Ocijenite DocType: Item,Customer Item Codes,Kupac Stavka Kodovi apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Razmjena Dobit / gubitak @@ -2219,7 +2223,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 +2454,Select Batch No,Odaberite šifra serije +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2243,19 +2247,19 @@ DocType: Leave Block List,Allow Users,Omogućiti korisnicima DocType: Purchase Order,Customer Mobile No,Kupac mobilne Ne DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Pratite poseban prihodi i rashodi za vertikala proizvoda ili podjele. DocType: Rename Tool,Rename Tool,Preimenovanje -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update cost +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 +438,Show Salary Slip,Prikaži Plaća proklizavanja apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Iznos računa Odaberi promjene +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Dodaj poreze +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2266,6 +2270,7 @@ DocType: Stock Entry,Purchase Receipt No,Primka br. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,kapara DocType: Process Payroll,Create Salary Slip,Stvaranje plaće Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sljedivost +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC kod 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 @@ -2295,7 +2300,7 @@ DocType: Employee Education,Post Graduate,Post diplomski DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalji rasporeda održavanja DocType: Quality Inspection Reading,Reading 9,Čitanje 9 DocType: Supplier,Is Frozen,Je Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Čvor Grupa skladište ne smije odabrati za transakcije +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Čvor Grupa skladište ne smije odabrati za transakcije DocType: Buying Settings,Buying Settings,Ppostavke nabave DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM broj za Gotovi Dobar točki DocType: Upload Attendance,Attendance To Date,Gledanost do danas @@ -2310,13 +2315,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti cijenu ako je sastavnica spomenuta u bilo kojem proizvodu +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku {0} na redu {1} @@ -2338,7 +2343,7 @@ DocType: Authorization Rule,Authorized Value,Ovlašteni vrijednost DocType: BOM,Show Operations,Pokaži operacije ,Minutes to First Response for Opportunity,Zapisnik na prvi odgovor za priliku apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Ukupno Odsutni -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Proizvod ili skladište za redak {0} ne odgovara Zahtjevu za materijalom +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Proizvod ili skladište za redak {0} ne odgovara Zahtjevu za materijalom apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Jedinica mjere DocType: Fiscal Year,Year End Date,Završni datum godine DocType: Task Depends On,Task Depends On,Zadatak ovisi o @@ -2429,7 +2434,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 +106,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 +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/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 @@ -2525,9 +2530,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Troška apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,bon # DocType: Notification Control,Purchase Order Message,Poruka narudžbenice @@ -2543,7 +2548,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 +1165,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2562,7 +2567,7 @@ DocType: Project,Task Completion,Zadatak Završetak apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ne u skladištu DocType: Appraisal,HR User,HR Korisnik DocType: Purchase Invoice,Taxes and Charges Deducted,Porezi i naknade oduzeti -apps/erpnext/erpnext/hooks.py +116,Issues,Pitanja +apps/erpnext/erpnext/hooks.py +124,Issues,Pitanja apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status mora biti jedan od {0} DocType: Sales Invoice,Debit To,Rashodi za DocType: Delivery Note,Required only for sample item.,Potrebna je samo za primjer stavke. @@ -2591,6 +2596,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Teritorij apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Molimo spomenuti nema posjeta potrebnih DocType: Stock Settings,Default Valuation Method,Zadana metoda vrednovanja +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Pristojba DocType: Vehicle Log,Fuel Qty,Gorivo Kol DocType: Production Order Operation,Planned Start Time,Planirani početak vremena DocType: Course,Assessment,procjena @@ -2600,12 +2606,12 @@ 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 +149,Quotation {0} is cancelled,Ponuda {0} je otkazana -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Ukupni iznos +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Sve prodajnih transakcija može biti označene protiv više osoba ** prodaje **, tako da možete postaviti i pratiti ciljeve." ,S.O. No.,N.K.br. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Molimo stvoriti kupac iz Olovo {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Molimo stvoriti kupac iz Olovo {0} DocType: Price List,Applicable for Countries,Primjenjivo za zemlje apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Ostavite samo one prijave sa statusom "Odobreno" i "Odbijeno" može se podnijeti apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Grupa Ime obvezna je u redu {0} @@ -2654,6 +2660,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/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 @@ -2696,8 +2703,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za iz 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.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika. DocType: Purchase Invoice,Half-yearly,Polugodišnje apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Knjiženje na skladištu +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Već ste ocijenili kriterije procjene {}. DocType: Vehicle Service,Engine Oil,Motorno ulje -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav za imenovanje zaposlenika u ljudskim resursima> HR postavke DocType: Sales Invoice,Sales Team1,Prodaja Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Proizvod {0} ne postoji DocType: Sales Invoice,Customer Address,Kupac Adresa @@ -2725,7 +2732,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna cjelina / Podružnica s odvojenim kontnim planom pripada Organizaciji. DocType: Payment Request,Mute Email,Mute e apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Hrana , piće i duhan" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100 DocType: Stock Entry,Subcontract,Podugovor apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Unesite {0} prvi @@ -2753,7 +2760,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Studentski mjesečna posjećenost list apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Zaposlenik {0} već podnijela zahtjev za {1} od {2} i {3} 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/report/accounts_receivable/accounts_receivable.html +11,Until,Do +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Do DocType: Rename Tool,Rename Log,Preimenuj prijavu apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Obvezna je grupacija studenata ili raspored predmeta DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Održavati sati naplate i radno vrijeme isto na timesheet @@ -2777,7 +2784,7 @@ DocType: Purchase Order Item,Returned Qty,Vraćeno Kom DocType: Employee,Exit,Izlaz apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Korijen Tip je obvezno DocType: BOM,Total Cost(Company Currency),Ukupna cijena (Društvo valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijski Ne {0} stvorio +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serijski Ne {0} stvorio DocType: Homepage,Company Description for website homepage,Opis tvrtke za web stranici DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za praktičnost kupaca, te kodovi mogu se koristiti u tiskanim formata kao što su fakture i otpremnice" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Naziv suplier @@ -2797,7 +2804,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Raspored predmeta izbrisan: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Trupci za održavanje statusa isporuke sms DocType: Accounts Settings,Make Payment via Journal Entry,Plaćanje putem Temeljnica -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,tiskana na +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,tiskana na DocType: Item,Inspection Required before Delivery,Inspekcija potrebno prije isporuke DocType: Item,Inspection Required before Purchase,Inspekcija Obavezno prije kupnje apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Aktivnosti na čekanju @@ -2829,9 +2836,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studentski apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Ograničenje Crossed 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.,Akademska termina s ovim 'akademske godine' {0} i "Pojam Ime '{1} već postoji. Molimo izmijeniti ove stavke i pokušati ponovno. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kao što postoje neki poslovi protiv točki {0}, ne možete promijeniti vrijednost {1}" +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}","Kao što postoje neki poslovi protiv točki {0}, ne možete promijeniti vrijednost {1}" DocType: UOM,Must be Whole Number,Mora biti cijeli broj DocType: Leave Control Panel,New Leaves Allocated (In Days),Novi Lišće alociran (u danima) +DocType: Sales Invoice,Invoice Copy,Kopija fakture apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijski Ne {0} ne postoji DocType: Sales Invoice Item,Customer Warehouse (Optional),Kupac skladišta (po izboru) DocType: Pricing Rule,Discount Percentage,Postotak popusta @@ -2876,8 +2884,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdavanje nak 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Zamrzavanje Stock Unosi +DocType: Program Enrollment,Boarding Student,Učenica za ukrcaj DocType: Asset,Expected Value After Useful Life,Očekivana vrijednost nakon korisnog vijeka trajanja DocType: Item,Reorder level based on Warehouse,Razina redoslijeda na temelju Skladište DocType: Activity Cost,Billing Rate,Ocijenite naplate @@ -2904,11 +2914,11 @@ DocType: Serial No,Warranty / AMC Details,Jamstveni / AMC Brodu apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Ručno odaberite studente za Grupu temeljenu na aktivnostima DocType: Journal Entry,User Remark,Upute Zabilješka DocType: Lead,Market Segment,Tržišni segment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog negativnog preostali iznos {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog negativnog preostali iznos {0} DocType: Employee Internal Work History,Employee Internal Work History,Zaposlenikova interna radna povijest apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zatvaranje (DR) DocType: Cheque Print Template,Cheque Size,Ček Veličina -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijski broj {0} nije na skladištu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serijski broj {0} nije na skladištu apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Porezni predložak za prodajne transakcije. DocType: Sales Invoice,Write Off Outstanding Amount,Otpisati preostali iznos apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Račun {0} ne podudara se s tvrtkom {1} @@ -2932,7 +2942,7 @@ 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 +348,Add a few sample records,Dodaj nekoliko uzorak zapisa +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2946,17 +2956,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijski broj i serije DocType: Warranty Claim,From Company,Iz Društva -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Zbroj ocjene kriterija za ocjenjivanje treba biti {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Zbroj ocjene kriterija za ocjenjivanje treba biti {0}. 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 +270,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,pro- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Prekoračenje računa apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Provjerite plaće slip apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Red # {0}: dodijeljeni iznos ne može biti veći od nepodmirenog iznosa. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Pretraživanje BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Pretraživanje BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,osigurani krediti DocType: Purchase Invoice,Edit Posting Date and Time,Uredi datum knjiženja i vrijeme apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo postavite Amortizacija se odnose računi u imovini Kategorija {0} ili Društvo {1} @@ -2992,7 +3002,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 +278,Select Quantity,Odaberite Količina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nije dopušteno ažuriranje skladišnih transakcija starijih od {0} DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Potpuno Naplaćeno +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača 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 +127,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) @@ -3052,8 +3063,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Ukupno Obračun troškova 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 DocType: Customs Tariff Number,Tariff Number,Tarifni broj +DocType: Production Order Item,Available Qty at WIP Warehouse,Dostupni broj u WIP Warehouseu apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Predviđeno -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijski Ne {0} ne pripada Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serijski Ne {0} ne pripada Warehouse {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,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0 DocType: Notification Control,Quotation Message,Ponuda - poruka DocType: Employee Loan,Employee Loan Application,Radnik za obradu zahtjeva @@ -3071,13 +3083,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Iznos naloga zavisnog troška apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Mjenice podigao dobavljače. DocType: POS Profile,Write Off Account,Napišite Off račun -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debitna bilješka Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debitna bilješka Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Iznos popusta DocType: Purchase Invoice,Return Against Purchase Invoice,Povratak 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 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 +207,e.g. VAT,na primjer PDV +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3085,7 +3097,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 +1945,Please select customer,Molimo izaberite kupca +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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) @@ -3114,7 +3126,7 @@ DocType: Lead,Address Desc,Adresa silazno apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Stranka je obvezna DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,tema Naziv -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Odaberite prirodu Vašeg poslovanja. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Red # {0}: ponovljeni unos u referencama {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Gdje se odvija proizvodni postupci. @@ -3123,7 +3135,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Minimalna količina ne može biti veća od maksimalne količine +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 DocType: Account,Accumulated Depreciation,akumulirana amortizacija DocType: Stock Entry,Customer or Supplier Details,Kupca ili dobavljača Detalji DocType: Employee Loan Application,Required by Date,Potrebna po datumu @@ -3152,10 +3164,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Stavka narud apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Ime tvrtke ne mogu biti poduzeća apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Zaglavlja za ispis predložaka. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Naslovi za ispis predložaka, na primjer predračuna." +DocType: Program Enrollment,Walking,Hodanje DocType: Student Guardian,Student Guardian,Studentski Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Troškovi tipa Vrednovanje se ne može označiti kao Inclusive DocType: POS Profile,Update Stock,Ažuriraj zalihe -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM stopa DocType: Asset,Journal Entry for Scrap,Temeljnica za otpad @@ -3207,7 +3219,6 @@ 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}) 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/public/js/controllers/transaction.js +995,Show tax break-up,Pokaži porez raspada apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3226,14 +3237,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Zadani novčani račun apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor . 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 +176,No Students in,Nema studenata u Zagrebu +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 +108,Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke ' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Unesi NA za neregistrirano +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3274,23 @@ DocType: Sales Team,Contribution (%),Doprinos (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Napomena : Stupanje Plaćanje neće biti izrađen od ' Gotovina ili bankovni račun ' nije naveden apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odgovornosti DocType: Expense Claim Account,Expense Claim Account,Rashodi Zatraži račun +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Serija namijenjena {0} putem Postava> Postavke> Serija za imenovanje DocType: Sales Person,Sales Person Name,Ime prodajne osobe apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Dodaj korisnicima DocType: POS Item Group,Item Group,Grupa proizvoda DocType: Item,Safety Stock,Sigurnost Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Napredak% za zadatak ne može biti više od 100. DocType: Stock Reconciliation Item,Before reconciliation,Prije pomirenja apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ DocType: Sales Order,Partly Billed,Djelomično naplaćeno apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Stavka {0} mora biti Fixed Asset predmeta DocType: Item,Default BOM,Zadani BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debitni iznos bilješke +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debitni iznos bilješke apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ponovno upišite naziv tvrtke za potvrdu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Ukupni Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Ukupni Amt DocType: Journal Entry,Printing Settings,Ispis Postavke DocType: Sales Invoice,Include Payment (POS),Uključi plaćanje (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Ukupno zaduženje mora biti jednak ukupnom kreditnom . @@ -3285,19 +3298,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Osiguravajuće društvo DocType: Asset Category Account,Fixed Asset Account,Fiksni račun imovinom apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,varijabla -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Od otpremnici +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Od otpremnici DocType: Student,Student Email Address,Studentski e-mail adresa DocType: Timesheet Detail,From Time,S vremena apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na lageru: DocType: Notification Control,Custom Message,Prilagođena poruka apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicijsko bankarstvo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje -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 sudjelovanje putem Setup> Serija numeriranja apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentska adresa 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 +1517,Address Name,adresa Ime +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3314,7 +3326,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3322,7 +3334,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Unesite vrijednost moraju biti pozitivne +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3331,7 +3343,7 @@ DocType: Process Payroll,Process Payroll,Proces plaće apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Postoji više odmor nego radnih dana ovog mjeseca . DocType: Product Bundle Item,Product Bundle Item,Proizvod bala predmeta DocType: Sales Partner,Sales Partner Name,Naziv prodajnog partnera -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Zahtjev za dostavljanje ponuda +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Zahtjev za dostavljanje ponuda DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalna Iznos dostavnice DocType: Student Language,Student Language,Student jezika apps/erpnext/erpnext/config/selling.py +23,Customers,Kupci @@ -3341,7 +3353,7 @@ DocType: Asset,Partially Depreciated,djelomično amortiziraju DocType: Issue,Opening Time,Radno vrijeme apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Od i Do datuma zahtijevanih apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju @@ -3359,7 +3371,7 @@ 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 +266,Raw Material,sirovine +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3371,7 +3383,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije datuma zatvaranja -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Serija namijenjena {0} putem Postava> Postavke> Serija za imenovanje 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. @@ -3383,8 +3394,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Stupanje DocType: Authorization Rule,Applicable To (Designation),Odnosi se na (Oznaka) @@ -3401,7 +3412,7 @@ 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 +270,Hour,Sat +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3411,7 +3422,7 @@ 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3426,8 +3437,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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. @@ -3452,14 +3463,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 +465,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 +466,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 +834,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 +835,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 @@ -3491,7 +3502,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Državna naplate @@ -3538,7 +3549,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Postavke za web stranice početnu stranicu 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 +214,Invalid attribute {0} {1},Neispravan atribut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Odaberite grupu za procjenu osim "Sve grupe za procjenu" @@ -3636,16 +3647,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Plaća Komponente DocType: Program Enrollment Tool,New Academic Year,Nova akademska godina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Povrat / odobrenje kupcu DocType: Stock Settings,Auto insert Price List rate if missing,"Ako ne postoji, automatski ubaciti cjenik" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Ukupno uplaćeni iznos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Ukupno uplaćeni iznos DocType: Production Order Item,Transferred Qty,prebačen Kol apps/erpnext/erpnext/config/learn.py +11,Navigating,Kretanje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planiranje 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 +272,We sell this Item,Prodajemo ovaj proizvod +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3693,7 +3706,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 +1186,Please set Company,Postavite tvrtku +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3709,13 +3722,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,U rije 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkod {0} se već koristi u proizvodu {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barkod {0} se već koristi u proizvodu {1} DocType: Lead,Add to calendar on this date,Dodaj u kalendar na ovaj datum apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodavanje troškova prijevoza. DocType: Item,Opening Stock,Otvaranje Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je dužan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je obvezna za povratak DocType: Purchase Order,To Receive,Primiti +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Osobni email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Ukupne varijance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski." @@ -3727,7 +3741,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 +541,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos +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 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 @@ -3735,7 +3749,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Od jamstvo DocType: BOM Replace Tool,Replace,Zamijeniti apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nisu pronađeni proizvodi. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} u odnosu na prodajnom računu {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Naziv projekta @@ -3746,6 +3759,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} 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 @@ -3782,9 +3796,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Iz raspona apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},sintaktička pogreška u formuli ili stanja: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Svakodnevnom radu poduzeća Sažetak Postavke -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Proizvod {0} se ignorira budući da nije skladišni artikal +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 +40,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 +102,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 @@ -3792,12 +3806,14 @@ 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 +209,Rate (%),Stopa ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Postavite prazan filtar Tvrtke ako je Skupna pošta "Tvrtka" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Knjiženja Datum ne može biti datum u budućnosti apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Red # {0}: Serijski br {1} ne odgovara {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual dopust @@ -3826,7 +3842,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Upis u glavnu knjigu apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Stavka {0} nije setup za serijski brojevi Stupac mora biti prazan +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 DocType: Accounts Settings,Accounts Settings,Postavke računa apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Odobriti DocType: Customer,Sales Partner and Commission,Prodaja partner i komisija @@ -3841,7 +3857,7 @@ 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 +62,{0} items produced,{0} predmeti koji +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3855,7 +3871,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi Zatraži (p 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} DocType: Journal Entry Account,Exchange Rate,Tečaj -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3880,18 +3896,18 @@ 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 +705,Online,Na liniji +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Vratiti fiksni iznos po razdoblju apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Molimo unesite količinu za točku {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditna bilješka Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreditna bilješka Amt DocType: Employee External Work History,Employee External Work History,Zaposlenik Vanjski Rad Povijest DocType: Tax Rule,Purchase,Nabava apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilanca kol @@ -3916,7 +3932,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 +2383,Select items to save the invoice,Odaberite stavke za spremanje račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3945,6 +3961,7 @@ DocType: Guardian,Guardian Of ,staratelj DocType: Grading Scale Interval,Threshold,Prag DocType: BOM Replace Tool,Current BOM,Trenutni BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj serijski broj +DocType: Production Order Item,Available Qty at Source Warehouse,Dostupni broj u Izvornoj skladištu apps/erpnext/erpnext/config/support.py +22,Warranty,garancija DocType: Purchase Invoice,Debit Note Issued,Terećenju Izdano DocType: Production Order,Warehouses,Skladišta @@ -3960,13 +3977,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plaćeni iznos apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Voditelj projekta ,Quoted Item Comparison,Citirano predmeta za usporedbu apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Otpremanje -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimalni dopušteni popust za proizvod: {0} je {1}% +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 +279,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 +879,Select Items to Manufacture,Odaberite stavke za proizvodnju -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme" +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" DocType: Item,Material Issue,Materijal Issue DocType: Hub Settings,Seller Description,Prodavač Opis DocType: Employee Education,Qualification,Kvalifikacija @@ -3990,7 +4007,7 @@ DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti 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 +200,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 +198,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 @@ -4010,7 +4027,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Pridružiti apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatak Kom -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima DocType: Employee Loan,Repay from Salary,Vrati iz plaće DocType: Leave Application,LAP/,KRUG/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Zahtjev za isplatu od {0} {1} za iznos {2} @@ -4028,18 +4045,18 @@ 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 +1011,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serijski Ne {0} već je primila +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijski Ne {0} već je primila ,Requested Items To Be Transferred,Traženi proizvodi spremni za transfer 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 +1312,Delete permanently?,Brisanje trajno? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Pogrešna {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Pogrešna {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,bolovanje DocType: Email Digest,Email Digest,E-pošta DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu @@ -4052,6 +4069,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Naplativ DocType: Company,Change Abbreviation,Promijeni naziv DocType: Expense Claim Detail,Expense Date,Rashodi Datum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra stavke> Skupina stavke> Brand DocType: Item,Max Discount (%),Maksimalni popust (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Iznos zadnje narudžbe DocType: Task,Is Milestone,Je li Milestone @@ -4075,8 +4093,8 @@ DocType: Program Enrollment Tool,New Program,Novi program DocType: Item Attribute Value,Attribute Value,Vrijednost atributa ,Itemwise Recommended Reorder Level,Itemwise - preporučena razina ponovne narudžbe DocType: Salary Detail,Salary Detail,Plaća Detalj -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Odaberite {0} Prvi -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Hrpa {0} od {1} Stavka je istekla. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Odaberite {0} Prvi +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Hrpa {0} od {1} Stavka je istekla. DocType: Sales Invoice,Commission,provizija apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Vrijeme list za proizvodnju. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,suma stavke @@ -4101,12 +4119,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 +399,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 +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/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 +387,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 +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/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 @@ -4136,7 +4154,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Datum Odlaganje DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mail će biti poslan svim aktivnim zaposlenicima Društva u određeni sat, ako oni nemaju odmora. Sažetak odgovora će biti poslan u ponoć." DocType: Employee Leave Approver,Employee Leave Approver,Zaposlenik dopust Odobritelj -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ne može se proglasiti izgubljenim, jer je ponuda napravljena." 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 @@ -4169,6 +4187,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organizacija jedinica ( odjela ) majstor . apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Unesite valjane mobilne br apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Unesite poruku prije slanja +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ZA DOBAVLJAČ DocType: Email Digest,Pending Quotations,U tijeku Citati apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-prodaju Profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Obnovite SMS Settings @@ -4177,7 +4196,7 @@ DocType: Cost Center,Cost Center Name,Troška Name DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max radnog vremena protiv timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Planirano Datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Cjelokupni iznos Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Cjelokupni iznos Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Poruka veća od 160 karaktera bit će izdjeljena u više poruka DocType: Purchase Receipt Item,Received and Accepted,Primljeni i prihvaćeni ,GST Itemised Sales Register,GST označeni prodajni registar @@ -4187,7 +4206,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 +237,Your Suppliers,Vaši dobavljači +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Ne mogu odbiti kada je kategorija za "vrednovanje" ili "Vaulation i ukupni ' @@ -4199,7 +4218,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Web stranica slike {0} prilogu točki {1} Ne mogu naći +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. @@ -4214,7 +4233,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Što učinit apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Za skladište apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Svi Studentski Upisi ,Average Commission Rate,Prosječna provizija -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Ima serijski broj' ne može biti 'Da' za neskladišne proizvode +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Ima serijski broj' ne može biti 'Da' za neskladišne proizvode apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Gledatelji ne može biti označena za budući datum DocType: Pricing Rule,Pricing Rule Help,Pravila cijena - pomoć DocType: School House,House Name,Ime kuća @@ -4230,7 +4249,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 +339,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 +340,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 @@ -4245,20 +4264,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Plaća proklizavanja zaposlenika {0} već stvoren za vremensko listu {1} 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 +683,Item {0} is disabled,Stavka {0} je onemogućen +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generiranje plaće gaćice -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Nabava mora biti provjerena, ako je primjenjivo za odabrano kao {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Nabava mora biti provjerena, ako je primjenjivo za odabrano kao {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Popust mora biti manji od 100 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 +500,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Nalog zavisnog troška @@ -4318,7 +4337,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekivani datum ne može biti prije Materijal Zahtjev Datum DocType: Purchase Invoice Item,Stock Qty,Kataloški broj -DocType: Production Order,Source Warehouse (for reserving Items),Izvor skladišta (za rezervaciju Predmeti) DocType: Employee Loan,Repayment Period in Months,Rok otplate u mjesecima apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Pogreška: Nije valjana id? DocType: Naming Series,Update Series Number,Update serije Broj @@ -4366,7 +4384,7 @@ DocType: Production Order,Planned End Date,Planirani datum završetka apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Gdje predmeti su pohranjeni. DocType: Request for Quotation,Supplier Detail,Dobavljač Detalj apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Greška u formuli ili stanja: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Dostavljeni iznos +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Dostavljeni iznos DocType: Attendance,Attendance,Pohađanje apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,zalihi DocType: BOM,Materials,Materijali @@ -4406,10 +4424,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Postavljanje jednostavan website za moju organizaciju +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0} DocType: Item,Default Warehouse,Glavno skladište apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Proračun se ne može dodijeliti protiv grupe nalog {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Unesite roditelj troška @@ -4468,7 +4486,7 @@ 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 +1344,Select or add new customer,Odaberite ili dodajte novi kupac +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/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 @@ -4476,6 +4494,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav za imenovanje zaposlenika u ljudskim resursima> HR postavke 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 +231,{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. @@ -4498,7 +4517,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Cjenik nije pronađen +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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 ' @@ -4518,7 +4537,7 @@ DocType: POS Profile,Account for Change Amount,Račun za promjene visine apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: stranka / računa ne odgovara {1} / {2} u {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Unesite trošak računa DocType: Account,Stock,Lager -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od narudžbenice, fakture kupovine ili Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od narudžbenice, fakture kupovine ili Journal Entry" DocType: Employee,Current Address,Trenutna adresa DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ako predmet je varijanta drugom stavku zatim opis, slika, cijena, porezi itd će biti postavljena od predloška, osim ako je izričito navedeno" DocType: Serial No,Purchase / Manufacture Details,Detalji nabave/proizvodnje @@ -4556,11 +4575,12 @@ DocType: Student,Home Address,Kućna adresa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Prijenos imovine DocType: POS Profile,POS Profile,POS profil DocType: Training Event,Event Name,Naziv događaja -apps/erpnext/erpnext/config/schools.py +39,Admission,ulaz +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,ulaz apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Upisi za {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti" DocType: Asset,Asset Category,imovina Kategorija +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Dobavljač apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto plaća ne može biti negativna DocType: SMS Settings,Static Parameters,Statički parametri DocType: Assessment Plan,Room,Soba @@ -4569,6 +4589,7 @@ DocType: Item,Item Tax,Porez proizvoda apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materijal za dobavljača apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> Skupina kupaca> Teritorij DocType: Expense Claim,Employees Email Id,Zaposlenici Email ID DocType: Employee Attendance Tool,Marked Attendance,Označena posjećenost apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kratkoročne obveze @@ -4640,6 +4661,7 @@ DocType: Leave Type,Is Carry Forward,Je Carry Naprijed apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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 +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 ,Stock Summary,Stock Sažetak diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv index 3fb52cbac0..30fb7d55df 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,12 +89,12 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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" DocType: Employee,Holiday List,Szabadnapok listája -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Könyvelő +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Könyvelő DocType: Cost Center,Stock User,Készlet Felhasználó DocType: Company,Phone No,Telefonszám apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Tanfolyam Menetrendek létrehozva: apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Új {0}: # {1} -,Sales Partners Commission,Értékesítő partner jutaléka +,Sales Partners Commission,Vevő partner jutaléka apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,"Rövidítés nem lehet több, mint 5 karakter" DocType: Payment Request,Payment Request,Fizetési kérelem DocType: Asset,Value After Depreciation,Eszközök értékcsökkenés utáni @@ -103,14 +103,14 @@ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.p apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,"Részvétel dátuma nem lehet kisebb, mint a munkavállaló belépési dátuma" DocType: Grading Scale,Grading Scale Name,Osztályozás időszak neve apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Ez egy root fiók és nem lehet szerkeszteni. -DocType: Sales Invoice,Company Address,Cég címe +DocType: Sales Invoice,Company Address,Vállalkozás címe DocType: BOM,Operations,Műveletek apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nem lehet beállítani engedélyt a kedvezmény alapján erre: {0} DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Mellékeljen .csv fájlt két oszloppal, egyik a régi névvel, a másik az új névvel" 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nem engedélyezett erre {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Tételeket kér le innen -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +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/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 +131,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 +1673,Not items found,Nem talált tételeket +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Készlet jelentések DocType: Warehouse,Warehouse Detail,Raktár részletek apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Hitelkeretet már átlépte az ügyfél {0} {1}/{2} 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.,"A feltétel végső dátuma nem lehet későbbi, mint a tanév év végi időpontja, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,14 +161,13 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Feladó {0} {1} DocType: Item,Copy From Item Group,Másolás tétel csoportból DocType: Journal Entry,Opening Entry,Kezdő könyvelési tétel -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Ügyfél> Vásárlói csoport> Terület apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Számla csak fizetésre DocType: Employee Loan,Repay Over Number of Periods,Törleszteni megadott számú időszakon belül DocType: Stock Entry,Additional Costs,További költségek apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Meglévő tranzakcióval rendelkező számla nem konvertálható csoporttá. DocType: Lead,Product Enquiry,Gyártmány igénylés DocType: Academic Term,Schools,Iskolák -DocType: School Settings,Validate Batch for Students in Student Group,Érvényesítse Batch diákok számára Csoport +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" @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Ingatlan -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Főkönyvi számla kivonata +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 DocType: Purchase Invoice Item,Is Fixed Asset,Ez állóeszköz apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Elérhető mennyiség: {0}, ennyi az igény: {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Fogyóeszközök +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,12 +211,12 @@ 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 +143,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 +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. 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 +302,Example: Basic Mathematics,Példa: Matematika alapjai +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/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 @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Tételek és árak apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Összesen az órák: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Dátumtól a pénzügyi éven belül kell legyen. Feltételezve a dátumtól = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Idézetek DocType: Customer,Individual,Magánszemély DocType: Interest,Academics User,Akadémiai felhasználó DocType: Cheque Print Template,Amount In Figure,Összeg kikalkulálva @@ -264,15 +265,15 @@ DocType: Employee,Create User,Felhasználó létrehozása DocType: Selling Settings,Default Territory,Alapértelmezett terület apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televízió DocType: Production Order Operation,Updated via 'Time Log',Frissítve 'Idő napló' által -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},"Előleg összege nem lehet nagyobb, mint {0} {1}" +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},"Előleg összege nem lehet nagyobb, mint {0} {1}" DocType: Naming Series,Series List for this Transaction,Sorozat List ehhez a tranzakcióhoz -DocType: Company,Enable Perpetual Inventory,Engedélyezze Perpetual Inventory +DocType: Company,Enable Perpetual Inventory,Engedélyezze a folyamatos készletet DocType: Company,Default Payroll Payable Account,Alapértelmezett Bér fizetendő számla apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Email csoport frissítés 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 +177,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 +175,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." @@ -280,13 +281,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 +2256,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kapcsolattartó neve +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,"Tehermentesítő dátuma nagyobbnak kell lennie, mint Csatlakozás dátuma" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Távollétek évente 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 +189,Warehouse {0} does not belong to company {1},{0} raktár nem tartozik a(z) {1} céghez +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 +270,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}" +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}" apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank bejegyzések apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Éves DocType: Stock Reconciliation Item,Stock Reconciliation Item,Készlet egyeztetés tétele @@ -314,7 +315,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 +316,People who teach at your organisation,"Emberek, akik tanítanak a válllakozásánál" +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" 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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Lehetővé teszi a felhasználó sz 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 +699,Item {0} is cancelled,{0} tétel törölve +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 +882,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 @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Flotta kezelő apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} kétszer bevitt a tétel adójába +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} kétszer bevitt a tétel adójába apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Összefoglaló erre a hétre és a folyamatban lévő tevékenységek DocType: Student Applicant,Admitted,Belépést nyer DocType: Workstation,Rent Cost,Bérleti díj @@ -416,12 +417,12 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% fogadva apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Készítsen Diákcsoportokat apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Telepítés már komplett !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Megjegyzés Összeg +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Követelés értesítő összege ,Finished Goods,Készáru DocType: Delivery Note,Instructions,Utasítások DocType: Quality Inspection,Inspected By,Megvizsgálta DocType: Maintenance Visit,Maintenance Type,Karbantartás típusa -apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nem vontunk be a pálya {2} +apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nem vontunk be a tanfolyamba {2} apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Széria sz. {0} nem tartozik a szállítólevélhez {1} apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Tételek hozzáadása @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Hozzon létre egy új Vevőt +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kérjük beállítási számozási sorozat nyilvántartó a Setup> számozás sorozat apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Beszerzési megrendelés létrehozása ,Purchase Register,Beszerzési Regisztráció DocType: Course Scheduling Tool,Rechedule,Újraidőzítés @@ -468,7 +470,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 +330,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 +361,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 @@ -487,8 +489,8 @@ DocType: Notification Control,Customize the introductory text that goes as a par 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/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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,{0} jellemzők többször kiválasztásra kerültek a jellemzők táblázatban +DocType: SMS Log,Sent On,Elküldve ekkor +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,{0} jellemzők többször kiválasztásra kerültek a jellemzők táblázatban DocType: HR Settings,Employee record is created using selected field. ,Alkalmazott rekord jön létre a kiválasztott mezővel. DocType: Sales Order,Not Applicable,Nem értelmezhető apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Távollét törzsadat. @@ -517,13 +519,13 @@ DocType: Salary Structure,Salary Component for timesheet based payroll.,Bér ös DocType: Sales Order Item,Used for Production Plan,Termelési tervhez használja DocType: Employee Loan,Total Payment,Teljes fizetés DocType: Manufacturing Settings,Time Between Operations (in mins),Műveletek közti idő (percben) -apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} törlődik, így a műveletet nem lehet kitölteni" +apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} törlődik, így a művelet nem lehet végrehajtható" DocType: Customer,Buyer of Goods and Services.,Vevő az árukra és szolgáltatásokra. 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 +219,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 +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/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" @@ -532,12 +534,12 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please s 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" DocType: Stock Entry Detail,Difference Account,Különbség főkönyvi számla -DocType: Purchase Invoice,Supplier GSTIN,Szállító GSTIN +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." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Kérjük, adja meg a Raktárat, amelyekre anyag igénylés keletkezett" DocType: Production Order,Additional Operating Cost,További üzemeltetési költség apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kozmetikum -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Egyesítéshez, a következő tulajdonságoknak meg kell egyeznie mindkét tételnél" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Egyesítéshez, a következő tulajdonságoknak meg kell egyeznie mindkét tételnél" DocType: Shipping Rule,Net Weight,Nettó súly DocType: Employee,Emergency Phone,Sürgősségi telefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Vásárol @@ -546,7 +548,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 +2428,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 +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adók és költségek hozzáadása / szerkesztése DocType: Purchase Invoice,Supplier Invoice No,Beszállítói számla száma DocType: Territory,For reference,Referenciaként -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nem lehet törölni a sorozatszámot: {0}, mivel ezt használja a részvény tranzakcióknál" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nem lehet törölni a sorozatszámot: {0}, mivel ezt használja a részvény tranzakcióknál" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Zárás (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Tétel mozgatása DocType: Serial No,Warranty Period (Days),Garancia idő (nap) @@ -579,14 +581,14 @@ DocType: Salary Slip,Salary Slip Timesheet,Bérpapirok munkaidő jelenléti íve apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Beszállító raktár kötelező az alvállalkozók vásárlási nyugtájához DocType: Pricing Rule,Valid From,Érvényes innentől: DocType: Sales Invoice,Total Commission,Teljes Jutalék -DocType: Pricing Rule,Sales Partner,Értékesítő partner +DocType: Pricing Rule,Sales Partner,Vevő partner DocType: Buying Settings,Purchase Receipt Required,Beszerzési megrendelés nyugta kötelező apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Készletérték ár kötelező, ha nyitási készletet felvitt" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nem talált bejegyzést a számlatáblázat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Kérjük, válasszon Vállalkozást és Ügyfél típust először" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Pénzügyi / számviteli év. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Halmozott értékek -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Sajnáljuk, Széria sz. nem lehet összevonni," +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Sajnáljuk, Széria sz. nem lehet összevonni," apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Vevői rendelés létrehozás DocType: Project Task,Project Task,Projekt téma feladat ,Lead Id,Érdeklődés ID @@ -606,6 +608,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 +780,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ó 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. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Vevői adatbázis. DocType: Quotation,Quotation To,Árajánlat az ő részére DocType: Lead,Middle Income,Közepes jövedelmű apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Nyitó (Követ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Alapértelmezett mértékegységét a {0} tételnek nem lehet megváltoztatni közvetlenül, mert már végzett néhány tranzakció(t) másik mértékegységgel. Szükséges lesz egy új tétel létrehozására, hogy egy másik alapértelmezett mértékegységet használhasson." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Alapértelmezett mértékegységét a {0} tételnek nem lehet megváltoztatni közvetlenül, mert már végzett néhány tranzakció(t) másik mértékegységgel. Szükséges lesz egy új tétel létrehozására, hogy egy másik alapértelmezett mértékegységet használhasson." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Elkülönített összeg nem lehet negatív apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Kérjük, állítsa be a Vállalkozást" DocType: Purchase Order Item,Billed Amt,Számlázott össz. @@ -635,6 +638,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: 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 @@ -674,10 +678,10 @@ 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 +320,Timesheet created:,Munkaidő jelenléti ív nyilvántartás létrehozva: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Beiratkozás -DocType: GST Settings,GST Settings,GST beállítások +DocType: GST Settings,GST Settings,GST Beállítások DocType: Selling Settings,Customer Naming By,Vevő elnevezés típusa DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Megmutatja a hallgatót mint jelenlévőt a Hallgató havi résztvételi jelentésben DocType: Depreciation Schedule,Depreciation Amount,Értékcsökkentés összege @@ -699,12 +703,12 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +218,Maintenance 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} -,GST Itemised Purchase Register,GST tételes Vásárlás Regisztráció +,GST Itemised Purchase Register,GST tételes beszerzés regisztráció 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 +139,Finish,Befejez +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Befejez apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Bázis DocType: Timesheet,Total Billed Hours,Összes számlázott Órák DocType: Journal Entry,Write Off Amount,Leírt összeg @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Eladó városa ,Absent Student Report,Jelentés a hiányzó tanulókról DocType: Email Digest,Next email will be sent on:,A következő emailt ekkor küldjük: DocType: Offer Letter Term,Offer Letter Term,Ajánlati levél feltétele -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Tételnek változatok. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Tételnek változatok. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Tétel {0} nem található DocType: Bin,Stock Value,Készlet értéke apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Vállalkozás {0} nem létezik @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Munkaidő jelenléti ív létrehozás +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ DocType: Company,Default Cost of Goods Sold Account,Alapértelmezett önköltsé 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 DocType: Request for Quotation Supplier,Send Email,E-mail küldése -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Figyelmeztetés: Érvénytelen csatolmány {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nincs jogosultság +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Figyelmeztetés: Érvénytelen csatolmány {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nincs jogosultság 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 +269,Nos,Darabszám +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -852,7 +856,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 +274,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 +275,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 @@ -868,12 +872,12 @@ DocType: HR Settings,Retirement Age,Nyugdíjas kor DocType: Bin,Moving Average Rate,Mozgóátlag ár DocType: Production Planning Tool,Select Items,Válassza ki a tételeket apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} a {2} dátumú {1} Ellenszámla -DocType: Program Enrollment,Vehicle/Bus Number,Jármű / Bus száma +DocType: Program Enrollment,Vehicle/Bus Number,Jármű/Busz száma apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Tanfolyam menetrend DocType: Maintenance Visit,Completion Status,Készültségi állapot DocType: HR Settings,Enter retirement age in years,Adja meg a nyugdíjkorhatárt (év) apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Cél raktár -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Kérjük, válasszon egy raktárban" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Kérjük, válasszon egy raktárat" DocType: Cheque Print Template,Starting location from left edge,Kiindulási hely a bal éltől DocType: Item,Allow over delivery or receipt upto this percent,Szállítás címzettnek vagy átvétel nyugtázás engedélyezése eddig a százalékig DocType: Stock Entry,STE-,KÉSZLBEJ- @@ -894,7 +898,7 @@ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',""" apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Nyitott teendő DocType: Notification Control,Delivery Note Message,Szállítólevél szövege DocType: Expense Claim,Expenses,Költségek -,Support Hours,Támogatás Óra +,Support Hours,Támogatás Órák száma DocType: Item Variant Attribute,Item Variant Attribute,Tétel változat Jellemzője ,Purchase Receipt Trends,Beszerzési nyugták alakulása DocType: Process Payroll,Bimonthly,Kéthavonta @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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,Értékesítési partnerek és Területek -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie +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 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Széria sz {0} nem tartozik ehhez a tételhez {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Széria sz {0} nem tartozik ehhez a tételhez {1} DocType: Purchase Receipt Item Supplied,Required Qty,Kötelező Mennyiség apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Raktárak meglévő ügyletekkel nem konvertálható főkönyvi tétellé. DocType: Bank Reconciliation,Total Amount,Összesen @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Alkatrészek apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Kérjük, adja meg a Vagyontárgy Kategóriát ebben a tételben: {0}" DocType: Quality Inspection Reading,Reading 6,Olvasás 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nem lehet a {0} {1} {2} bármely negatív fennmaradó számla nélkül +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Nem lehet a {0} {1} {2} bármely negatív fennmaradó számla nélkül DocType: Purchase Invoice Advance,Purchase Invoice Advance,Beszállítói előleg számla DocType: Hub Settings,Sync Now,Szinkronizálás most apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit bejegyzés nem kapcsolódik a {1} @@ -978,12 +982,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 +731,New Sales Invoice,Új értékesítési számla +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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,ranglistán -apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Offline számlák szinkronizálása +,LeaderBoard,Ranglista +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Vegyi DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Alapértelmezett Bank / készpénz fiók automatikusan frissül a fizetés naplóbejegyzésben, ha ez a mód a kiválasztott." 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 +733,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/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 +270,Meter,Méter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1040,7 +1044,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 +452,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 +453,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 @@ -1048,7 +1052,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 +259,Qty for {0},Mennyiség ehhez: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Készpénz / Bankszámla apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Kérjük adjon meg egy {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Az eltávolított elemek változása nélkül mennyiséget vagy értéket. DocType: Delivery Note,Delivery To,Szállítás címzett -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Jellemzők tábla kötelező +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Jellemzők tábla kötelező DocType: Production Planning Tool,Get Sales Orders,Vevő rendelések lekérése -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nem lehet negatív +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nem lehet negatív apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Kedvezmény DocType: Asset,Total Number of Depreciations,Összes amortizációk száma DocType: Sales Invoice Item,Rate With Margin,Érték árkülöbözettel @@ -1098,7 +1102,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 +1546,ZIP Code,Irányítószám +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1116,7 +1120,7 @@ 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 +238,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 +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/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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',"Kérjük, állítsa be az 'Alkalmazzon további kedvezmény ezen'" +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 DocType: Global Defaults,Global Defaults,Általános beállítások @@ -1148,16 +1152,16 @@ 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 +22,First 2 digits of GSTIN should match with State number {0},Először 2 számjegye GSTIN meg kell egyeznie az állami száma: {0} +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} 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 +347,Capacity Planning Error,Kapacitás tervezés hiba +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Elkészült tétel: {0} be kell írni a gyártási típus bejegyzéshez apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Nyitó Könyvelési egyenleg -,GST Sales Register,GST Sales Regisztráció +,GST Sales Register,GST értékesítés regisztráció DocType: Sales Invoice Advance,Sales Invoice Advance,Kimenő értékesítési számla előleg apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nincs mit igényelni apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},"Egy másik költségvetési rekord ""{0}"" már létezik az {1} '{2}' ellen, ebben a pénzügyi évben {3}" @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,Ez visszáru apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},"{0} érvényes sorozatszámok, a(z) {1} tételhez" +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},"{0} érvényes sorozatszámok, a(z) {1} tételhez" apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Tételkódot nem lehet lecserélni Széria számmá 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} már létrehozott a felhasználóhoz: {1} és a vállalkozáshoz: {2} DocType: Sales Invoice Item,UOM Conversion Factor,ME konverziós tényező @@ -1180,7 +1184,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 +675,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 +2389,"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 +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." 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" @@ -1221,7 +1225,7 @@ 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,Főkönyvi kivonat megtekintése 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,A tétel {0} nem lehet Köteg @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Vevői rendelés {0} nem érvényes +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/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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Probléma helye apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Szerződés DocType: Email Digest,Add Quote,Idézet hozzáadása -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},ME átváltási tényező szükséges erre a mértékegységre: {0} ebben a tételben: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},ME átváltási tényező szükséges erre a mértékegységre: {0} ebben a tételben: {1} 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 +736,Sync Master Data,Törzsadatok szinkronizálása -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,A termékei vagy szolgáltatásai +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 DocType: Mode of Payment,Mode of Payment,Fizetési mód -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL +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 DocType: Purchase Invoice Item,BOM,ANYGJZ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,"Ez egy gyökér tétel-csoport, és nem lehet szerkeszteni." @@ -1302,14 +1306,13 @@ 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 +562,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 +563,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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Gyártási rendelés állapota: {0} DocType: Appraisal Goal,Goal,Cél DocType: Sales Invoice Item,Edit Description,Leírás szerkesztése ,Team Updates,Csapat frissítések @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Al raktár létezik ebben a raktárban. Nem lehet törölni a raktárban. 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 +177,Serial number {0} entered more than once,Széria sz. {0} többször bevitt +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 +78,{0} items in progress,{0} tétel(ek) folyamatban +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1} +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} 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" @@ -1376,7 +1379,7 @@ DocType: Purchase Invoice Item,UOM,ME DocType: Rename Tool,Utilities,Segédletek DocType: Purchase Invoice Item,Accounting,Könyvelés DocType: Employee,EMP/,ALK / -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Kérjük, válasszon tételekben kötegelt tétel" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Kérjük, válasszon köteget a kötegelt tételhez" DocType: Asset,Depreciation Schedules,Értékcsökkentési ütemezések apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Jelentkezési határidő nem eshet a távolléti időn kívülre DocType: Activity Cost,Projects,Projekt témák @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1405,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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ó. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,Szállítási cím neve apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Számlatükör DocType: Material Request,Terms and Conditions Content,Általános szerződési feltételek tartalma apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,"nem lehet nagyobb, mint 100" -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Tétel: {0} - Nem készletezhető tétel +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Tétel: {0} - Nem készletezhető tétel DocType: Maintenance Visit,Unscheduled,Nem tervezett DocType: Employee,Owned,Tulajdon DocType: Salary Detail,Depends on Leave Without Pay,Fizetés nélküli távolléttől függ @@ -1432,7 +1434,7 @@ DocType: HR Settings,Employee Settings,Alkalmazott beállítások apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nyomtatási beállítások frissítve a mindenkori nyomtatási formátumban DocType: Package Code,Package Code,Csomag kód apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Gyakornok -DocType: Purchase Invoice,Company GSTIN,Company GSTIN +DocType: Purchase Invoice,Company GSTIN,Vállalkozás GSTIN apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatív mennyiség nem megengedett DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field. Used for Taxes and Charges","Adó részletek táblázatot betölti a törzsadat tételtből szóláncként, és ebben a mezőben tárolja. Adókhoz és illetékekhez használja" @@ -1444,7 +1446,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 +273,We buy this Item,Megvásároljuk ezt a tételt +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1455,7 +1457,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 +266,Sub Assemblies,Részegységek +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Vagyoneszköz Kategória kötelező befektetett eszközök tételeire +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Vagyoneszköz Kategória kötelező befektetett eszközök tételeire apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nem talált bejegyzést a fizetési táblázatban apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ez {0} ütközik ezzel {1} ehhez {2} {3} DocType: Student Attendance Tool,Students HTML,Tanulók HTML DocType: POS Profile,Apply Discount,Kedvezmény alkalmazása -DocType: Purchase Invoice Item,GST HSN Code,GST HSN Code +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 +283,Packing Slip(s) cancelled,Csomagjegy(ek) törölve @@ -1509,7 +1511,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +27,Executive Search,Ad apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Készítsen érdeklődéseket DocType: Maintenance Schedule,Schedules,Ütemezések DocType: Purchase Invoice Item,Net Amount,Nettó Összege -apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem nyújtották be, így a műveletet nem lehet kitölteni" +apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem nyújtották be, így a műveletet nem végrehajtható" DocType: Purchase Order Item Supplied,BOM Detail No,Anyagjegyzék részlet száma DocType: Landed Cost Voucher,Additional Charges,további díjak DocType: Purchase Invoice,Additional Discount Amount (Company Currency),További kedvezmény összege (Vállalat pénznemében) @@ -1525,7 +1527,7 @@ apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js DocType: Employee Loan,Monthly Repayment Amount,Havi törlesztés összege apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Kérjük, állítsa be a Felhasználói azonosító ID mezőt az alkalmazotti bejegyzésen az Alkalmazott beosztásának beállításához" DocType: UOM,UOM Name,Mértékegység neve -DocType: GST HSN Code,HSN Code,HSN Code +DocType: GST HSN Code,HSN Code,HSN kód apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Támogatás mértéke DocType: Purchase Invoice,Shipping Address,Szállítási cím DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ez az eszköz segít frissíteni vagy kijavítani a mennyiséget és a raktári tétel értékelést a rendszerben. Ez tipikusan a rendszer szinkronizációjához használja és mi létezik valóban a raktárakban. @@ -1536,13 +1538,13 @@ 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 +2573,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 +269,Box,Doboz +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 +873,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 -DocType: Sales Partner,Sales Partner Target,Értékesítő partner célja +DocType: Sales Partner,Sales Partner Target,Vevő partner cél DocType: Loan Type,Maximum Loan Amount,Maximális hitel összeg DocType: Pricing Rule,Pricing Rule,Árképzési szabály apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Ismétlődő lajstromszám ehhez a hallgatóhoz: {0} @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Törlesztési mód DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ha be van jelölve, a Kezdőlap lesz az alapértelmezett tétel csoport a honlapján" DocType: Quality Inspection Reading,Reading 4,Olvasás 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Alapértelmezett ANYAGJ {0} nem található ehhez a projekt témához {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Garanciális igény a vállalkozás költségén. 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" @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Új feladat apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Árajánlat létrehozás apps/erpnext/erpnext/config/selling.py +216,Other Reports,Más jelentések DocType: Dependent Task,Dependent Task,Függő feladat -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Konverziós tényező alapértelmezett mértékegység legyen 1 ebben a sorban: {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Konverziós tényező alapértelmezett mértékegység legyen 1 ebben a sorban: {0} 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}" DocType: SMS Center,Receiver List,Vevő lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Tétel keresése +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Már elkészült +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/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 +263,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 +352,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 -DocType: Customer,Customer POS Id,Ügyfél POS Id +DocType: Customer,Customer POS Id,Vevő POS azon DocType: Account,Account Name,Számla név apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"Dátumtól nem lehet nagyobb, mint dátumig" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Szériaszám: {0} és mennyiség: {1} nem lehet törtrész +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Szériaszám: {0} és mennyiség: {1} nem lehet törtrész apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Beszállító típus törzsadat. DocType: Purchase Order Item,Supplier Part Number,Beszállítói alkatrész szám apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Váltási arány nem lehet 0 vagy 1 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,A jármű útnak indításának ideje +DocType: Purchase Order 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" @@ -1637,7 +1639,7 @@ DocType: Customer,Default Price List,Alapértelmezett árlista apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Vagyoneszköz mozgás bejegyzés {0} létrehozva apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,"Nem törölheti ezt a Pénzügyi évet: {0}. Pénzügyi év: {0} az alapértelmezett beállítás, a Globális beállításokban" DocType: Journal Entry,Entry Type,Bejegyzés típusa -apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nem értékelési terv kapcsolódik ez értékelő csoport +apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nincs kapcsolódó értékelési terv ehhez az értékelő csoporthoz ,Customer Credit Balance,Vevőkövetelés egyenleg apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Nettó Beszállítói követelések változása apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Vevő szükséges ehhez: 'Vevőszerinti kedvezmény' @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Tartalmazzák a tá DocType: Sales Invoice,Packed Items,Csomag tételei apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garancia igény ehhez a Széria számhoz DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Cserélje egy adott darabjegyzékre minden más Darabjegyzékeket, ahol alkalmazzák. Ez váltja fel a régi Anyagjegyzék linket, frissíti a költséget és regenerálja ""Anyagjegyzék robbantott tételek"" tábláját, egy új Anyagjegyzékké" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Összesen' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Összesen' DocType: Shopping Cart Settings,Enable Shopping Cart,Bevásárló kosár engedélyezése DocType: Employee,Permanent Address,Állandó lakcím apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1697,10 +1699,11 @@ 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,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait" DocType: Employee,Date Of Retirement,Nyugdíjazás dátuma DocType: Upload Attendance,Get Template,Sablonok lekérdezése -DocType: Material Request,Transferred,Át +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! DocType: Course Assessment Criteria,Weightage,Súlyozás +DocType: Sales Invoice,Tax Breakup,Adó Breakup 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 @@ -1721,7 +1724,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1737,7 +1740,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Legfontosabb apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Változat DocType: Naming Series,Set prefix for numbering series on your transactions,Sorozat számozás előtag beállítása a tranzakciókhoz DocType: Employee Attendance Tool,Employees HTML,Alkalmazottak HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához" +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához" 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 @@ -1750,7 +1753,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 +175,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 +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/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 @@ -1758,7 +1761,7 @@ DocType: Item,Serial Nos and Batches,Sorszámok és kötegek apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Diák csoport erősség apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Ellen Naplókönyvelés {0} nem rendelkezik egyeztetett {1} bejegyzéssel apps/erpnext/erpnext/config/hr.py +137,Appraisals,Értékeléséből -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Ismétlődő sorozatszám lett beírva ehhez a tételhez: {0} +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" @@ -1767,11 +1770,11 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,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}.","Warehouse {0} nem kapcsolódik semmilyen számla, adja meg a számla a raktárban rekord vagy alapértelmezett leltár figyelembe cég {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}.","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 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},Anyag kérésére legfeljebb {0} tehető erre a tételre {1} erre a Vevői rendelésre {2} @@ -1786,12 +1789,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Vagyoneszköz mozgás -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,új Kosár +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1817,7 +1820,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Tételek beszerzése a Beszerzési bevételezésekkel DocType: Serial No,Creation Date,Létrehozás dátuma apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Tétel {0} többször is előfordul ebben az árjegyzékben {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Értékesítőt ellenőrizni kell, amennyiben az alkalmazható, úgy van kiválaszta mint {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Értékesítőt ellenőrizni kell, amennyiben az alkalmazható, úgy van kiválaszta mint {0}" DocType: Production Plan Material Request,Material Request Date,Anyaga igénylés dátuma DocType: Purchase Order Item,Supplier Quotation Item,Beszállítói ajánlat tételre DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Kikapcsolja az idő napló létrehozását a gyártási utasításokon. Műveleteket nem lehet nyomon követni a Gyártási rendeléseken @@ -1833,12 +1836,12 @@ DocType: Supplier,Supplier of Goods or Services.,Az áruk vagy szolgáltatások DocType: Budget,Fiscal Year,Pénzügyi év DocType: Vehicle Log,Fuel Price,Üzemanyag ár DocType: Budget,Budget,Költségkeret -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,"Befektetett fix eszközöknek, nem készletezhető elemeknek kell lennie." +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 +209,e.g. 5,pl. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1847,7 +1850,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,"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 +263,A Product or Service,Egy termék vagy szolgáltatás +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1920,16 +1923,16 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pár +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pár apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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,Értékesítési Partner címek és Kapcsolatok +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 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Félnapos időpontja között kell lennie Dátum és a mai napig DocType: Maintenance Schedule Detail,Actual Date,Jelenlegi dátum 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),Áruk és szolgáltatások adó (GST India) +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ő" DocType: Asset,Purchase Date,Beszerzés dátuma @@ -1939,10 +1942,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Tényleges befejezés dátuma (Idő nyilvántartó szerint) 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 +160,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 +342,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/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 DocType: Shipping Rule Condition,Shipping Amount,Szállítandó mennyiség -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Add vásárlóknak +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1952,13 +1955,14 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +154,Expected value after u DocType: Purchase Receipt,Vehicle Number,Jármű száma DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Az időpont, amikor az ismétlődő számlát meg fogják állítani" DocType: Employee Loan,Loan Amount,Hitelösszeg -DocType: Program Enrollment,Self-Driving Vehicle,Önvezető Jármű +DocType: Program Enrollment,Self-Driving Vehicle,Önvezető jármű apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1} apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Összes lefoglalt távolét {0} nem lehet kevesebb, mint a már jóváhagyott távollétek {1} az időszakra" DocType: Journal Entry,Accounts Receivable,Bevételi számlák ,Supplier-Wise Sales Analytics,Beszállító szerinti értékesítési kimutatás apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Írja be a befizetett összeget DocType: Salary Structure,Select employees for current Salary Structure,Válassza ki az Alkalmazottakat jelenlegi bérrendszerhez +DocType: Sales Invoice,Company Address Name,Cég címe neve DocType: Production Order,Use Multi-Level BOM,Többszíntű anyagjegyzék használata 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)" @@ -1978,7 +1982,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 +269,Unit,Egység +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -1999,7 +2003,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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ő. DocType: Stock Reconciliation Item,Amount Difference,Összeg különbség @@ -2008,7 +2012,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Vevői csoportosítás régiónként apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Eltérés összegének nullának kell lennie DocType: Project,Gross Margin,Bruttó árkülönbözet -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Kérjük, adjon meg Gyártandő tételt először" +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 +748,Quotation,Árajánlat @@ -2020,7 +2024,7 @@ 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 **." DocType: Opportunity,Customer / Lead Address,Vevő / Érdeklődő címe -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Figyelmeztetés: Érvénytelen SSL tanúsítvány a {0} mellékleteten +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Figyelmeztetés: Érvénytelen SSL tanúsítvány a {0} mellékleteten DocType: Student Admission,Eligibility,Jogosultság apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Vezetékek segít abban, hogy az üzleti, add a kapcsolatokat, és több mint a vezet" DocType: Production Order Operation,Actual Operation Time,Aktuális üzemidő @@ -2039,11 +2043,11 @@ DocType: Appraisal,Calculate Total Score,Összes pontszám kiszámolása DocType: Request for Quotation,Manufacturing Manager,Gyártási menedzser apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Széria sz. {0} még garanciális eddig {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Osza szét a szállítólevelét csomagokra. -apps/erpnext/erpnext/hooks.py +87,Shipments,Szállítások +apps/erpnext/erpnext/hooks.py +94,Shipments,Szállítások DocType: Payment Entry,Total Allocated Amount (Company Currency),Lefoglalt teljes összeg (Válalakozás pénznemében) DocType: Purchase Order Item,To be delivered to customer,Vevőhöz kell szállítani DocType: BOM,Scrap Material Cost,Hulladék anyagköltség -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Széria sz.: {0} nem tartozik semmilyen Raktárhoz +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Széria sz.: {0} nem tartozik semmilyen Raktárhoz DocType: Purchase Invoice,In Words (Company Currency),Szavakkal (a cég valutanemében) DocType: Asset,Supplier,Beszállító DocType: C-Form,Quarter,Negyed @@ -2057,11 +2061,10 @@ DocType: Employee Loan,Employee Loan Account,Alkalmazotti Hitelszámla DocType: Leave Application,Total Leave Days,Összes távollét napok DocType: Email Digest,Note: Email will not be sent to disabled users,Megjegyzés: E-mail nem lesz elküldve a letiltott felhasználóknak apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Költsönhatás mennyisége -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Termék kód> Elem Csoport> Márka 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 +408,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek +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 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" @@ -2103,7 +2106,8 @@ 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 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Kérjük, válassza ki a megfelelő fiókot" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Hármasával SZÁLLÍTÓ +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 DocType: Employee,Blood Group,Vércsoport @@ -2125,7 +2129,7 @@ DocType: Student,Guardians,Helyettesítők 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 +336,Debit To is required,Tartozás megterhelése szükséges +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/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 @@ -2138,7 +2142,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Összesen Kifizete DocType: BOM Website Operation,BOM Website Operation,Anyagjegyzék honlap művelet apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ajánlati levél apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Létrehoz anyag igényléseket (MRP) és gyártási megrendeléseket. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Teljes kiszámlázott össz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Teljes kiszámlázott össz DocType: BOM,Conversion Rate,Konverziós arány apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Termék tétel keresés DocType: Timesheet Detail,To Time,Ideig @@ -2152,7 +2156,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sorozatszám szükséges ehhez a Tételhez: {1}. Ezt adta meg: {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sorozatszám szükséges ehhez a Tételhez: {1}. Ezt adta meg: {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuális Értékelési ár DocType: Item,Customer Item Codes,Vevői tétel kódok apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Árfolyamnyereség / veszteség @@ -2199,7 +2203,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 +2454,Select Batch No,Válasszon köteg sz. +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2223,19 +2227,19 @@ DocType: Leave Block List,Allow Users,Felhasználók engedélyezése DocType: Purchase Order,Customer Mobile No,Vevő mobil tel. szám DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Kövesse nyomon külön a bevételeket és ráfordításokat a termék tetőpontokkal vagy felosztásokkal. DocType: Rename Tool,Rename Tool,Átnevezési eszköz -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Költségek újraszámolása +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 +438,Show Salary Slip,Bérkarton megjelenítése apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,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 +741,Select change amount account,Válasszon váltópénz összeg számlát +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Adók hozzáadása +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2246,22 +2250,23 @@ DocType: Stock Entry,Purchase Receipt No,Beszerzési megrendelés nyugta sz. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Foglaló pénz DocType: Process Payroll,Create Salary Slip,Bérpapír létrehozása apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,A nyomon követhetőség +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC-kód 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 +221,Select Batch,Select Batch +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,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 DocType: Payment Entry,Payment Deductions or Loss,Fizetési levonások vagy veszteségek 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 Pipeline +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/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},Fiók {0} nem egyezik Company {1} a mód fiók: {2} +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 +212,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 @@ -2275,7 +2280,7 @@ DocType: Employee Education,Post Graduate,Diplomázás után DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Karbantartási ütemterv részletei DocType: Quality Inspection Reading,Reading 9,Olvasás 9 DocType: Supplier,Is Frozen,Ez zárolt -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Csoport csomópont raktár nem választhatók a tranzakciókhoz +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Csoport csomópont raktár nem választhatók a tranzakciókhoz DocType: Buying Settings,Buying Settings,Beszerzési Beállítások DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Késztermék Anyagjegyzék száma DocType: Upload Attendance,Attendance To Date,Részvétel befejezés dátuma @@ -2290,13 +2295,13 @@ 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 +164,{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 +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" 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 +472,"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/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.js +153,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" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Kérjük, adjon meg Tervezett Mennyiséget erre a tételre: {0} , ebben a sorban {1}" @@ -2318,7 +2323,7 @@ DocType: Authorization Rule,Authorized Value,Jóváhagyott érték DocType: BOM,Show Operations,Műveletek megjelenítése ,Minutes to First Response for Opportunity,Lehetőségre adott válaszhoz eltelt percek apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Összes Hiány -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Tétel vagy raktár sorban {0} nem egyezik Anyag igényléssel +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Tétel vagy raktár sorban {0} nem egyezik Anyag igényléssel apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mértékegység DocType: Fiscal Year,Year End Date,Év végi dátum DocType: Task Depends On,Task Depends On,A feladat ettől függ: @@ -2341,7 +2346,7 @@ DocType: BOM,Operating Cost (Company Currency),Üzemeltetési költség (Vállak DocType: Purchase Invoice,PINV-,BESZSZ- DocType: Authorization Rule,Applicable To (Role),Alkalmazandó (Beosztás) DocType: Stock Entry,Purpose,Cél -DocType: Company,Fixed Asset Depreciation Settings,Fix állóeszköz értékcsökkenés beállítások +DocType: Company,Fixed Asset Depreciation Settings,Álló állóeszköz értékcsökkenés beállításai DocType: Item,Will also apply for variants unless overrridden,"Változatokra is alkalmazni fogja, hacsak nem kerül fellülírásra" DocType: Purchase Invoice,Advances,Előlegek DocType: Production Order,Manufacture against Material Request,Előállítás az Anyag igénylésre @@ -2389,7 +2394,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 +106,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 +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/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" @@ -2482,12 +2487,12 @@ apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Előző DocType: Appraisal Goal,Key Responsibility Area,Felelősségi terület apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Tanulók kötegei, segítenek nyomon követni a részvételt, értékeléseket és díjakat a hallgatókhoz" 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 folyamatos leltározás +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 +789,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Hiv. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Hiv. DocType: Budget,Cost Center,Költséghely apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Utalvány # DocType: Notification Control,Purchase Order Message,Beszerzési megrendelés üzenet @@ -2503,7 +2508,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 +1165,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 +1086,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 +773,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 @@ -2522,7 +2527,7 @@ DocType: Project,Task Completion,Feladat befejezése apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nincs raktáron DocType: Appraisal,HR User,HR Felhasználó DocType: Purchase Invoice,Taxes and Charges Deducted,Levont adók és költségek -apps/erpnext/erpnext/hooks.py +116,Issues,Problémák +apps/erpnext/erpnext/hooks.py +124,Issues,Problémák apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Állapotnak az egyike kell llennie ennek {0} DocType: Sales Invoice,Debit To,Tartozás megterhelése DocType: Delivery Note,Required only for sample item.,Szükséges csak a minta elemet. @@ -2551,6 +2556,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Terület apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Kérjük említse meg a szükséges résztvevők számát DocType: Stock Settings,Default Valuation Method,Alapértelmezett készletérték számítási mód +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Részvételi díj DocType: Vehicle Log,Fuel Qty,Üzemanyag menny. DocType: Production Order Operation,Planned Start Time,Tervezett kezdési idő DocType: Course,Assessment,Értékelés @@ -2560,12 +2566,12 @@ 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 +149,Quotation {0} is cancelled,{0} ajánlat törölve -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Teljes fennálló kintlévő összeg +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Minden értékesítési tranzakció címkézhető több ** Értékesítő személy** felé, így beállíthat és követhet célokat." ,S.O. No.,VR sz. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Kérjük, hozzon létre Vevőt ebből az Érdeklődésből: {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Kérjük, hozzon létre Vevőt ebből az Érdeklődésből: {0}" DocType: Price List,Applicable for Countries,Alkalmazandó ezekhez az Országokhoz apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Csak ""Jóváhagyott"" és ""Elutasított"" állapottal rendelkező távollét igényeket lehet benyújtani" apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Diák csoport neve kötelező sorban {0} @@ -2602,6 +2608,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/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 @@ -2614,7 +2621,7 @@ DocType: Account,Round Off,Összegyűjt ,Requested Qty,Kért Mennyiség DocType: Tax Rule,Use for Shopping Cart,Kosár használja apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Érték : {0} erre a tulajdonságra: {1} nem létezik a listán az érvényes Jellemző érték jogcímre erre a tételre: {2} -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Válassza sorozatszámok +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Válasszon sorozatszámokat DocType: BOM Item,Scrap %,Hulladék % apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Díjak arányosan kerülnek kiosztásra a tétel mennyiség vagy összegei alapján, a kiválasztása szerint" DocType: Maintenance Visit,Purposes,Célok @@ -2644,13 +2651,13 @@ DocType: Stock Entry,Material Transfer for Manufacture,Anyag átvitel gyártás 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 {}. DocType: Vehicle Service,Engine Oil,Motorolaj -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Kérjük beállítási Alkalmazott névadási rendszerben Emberi Erőforrás> HR beállítások 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 Inventory fiók +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." DocType: Purchase Invoice,Apply Additional Discount On,Alkalmazzon további kedvezmény ezen DocType: Account,Root Type,Root Type @@ -2673,7 +2680,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Jogi alany / leányvállalat a Szervezethez tartozó külön számlatükörrel DocType: Payment Request,Mute Email,E-mail elnémítás apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Élelmiszerek, italok és dohány" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Jutalék mértéke nem lehet nagyobb, mint a 100" DocType: Stock Entry,Subcontract,Alvállalkozói apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Kérjük, adja be: {0} először" @@ -2701,7 +2708,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Tanuló havi jelenléti ív apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Alkalmazott {0} már jelentkezett {1} között {2} és {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekt téma kezdési dátuma -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Eddig +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Eddig DocType: Rename Tool,Rename Log,Átnevezési napló apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Diák csoport vagy Kurzus menetrend kötelező DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,A Számlázoztt órák és a Munkaórák ugyanolyan kezelése a munkaidő jelenléti íven @@ -2725,7 +2732,7 @@ DocType: Purchase Order Item,Returned Qty,Visszatért db DocType: Employee,Exit,Kilépés apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type kötelező DocType: BOM,Total Cost(Company Currency),Összköltség (Vállalkozás pénzneme) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} széria sz. létrehozva +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,{0} széria sz. létrehozva DocType: Homepage,Company Description for website homepage,Vállalkozás leírása az internetes honlapon DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","A vevők kényelméért, ezek a kódok használhatók a nyomtatási formátumokhoz, mint számlákon és a szállítóleveleken" 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 @@ -2745,11 +2752,11 @@ DocType: SMS Settings,SMS Gateway URL,SMS átjáró URL-je apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Tanfolyam Menetrendek törölve: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Napló az sms küldési állapot figyelésére DocType: Accounts Settings,Make Payment via Journal Entry,Naplókönyvelésen keresztüli befizetés létrehozás -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Nyomtatott ekkor +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Nyomtatott ekkor DocType: Item,Inspection Required before Delivery,Vizsgálat szükséges a szállítás előtt DocType: Item,Inspection Required before Purchase,Vizsgálat szükséges a vásárlás előtt apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Függő Tevékenységek -apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,A szervezet +apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,A szervezete DocType: Fee Component,Fees Category,Díjak Kategóriája apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Kérjük, adjon meg a mentesítési dátumot." apps/erpnext/erpnext/controllers/trends.py +149,Amt,Összeg @@ -2777,16 +2784,17 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Tanuló kö apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Keresztbe 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.,"Egy tudományos kifejezés ezzel a 'Tanév ' {0} és a 'Félév neve' {1} már létezik. Kérjük, módosítsa ezeket a bejegyzéseket, és próbálja újra." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"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}" +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 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 +289,Please select a batch,"Kérjük, válasszon egy tételt" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,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" @@ -2824,8 +2832,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Automatikus lezárása a 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 +305,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: 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: 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 @@ -2852,14 +2862,14 @@ DocType: Serial No,Warranty / AMC Details,Garancia és éves karbantartási szer apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Válassza a diákokat kézzel az Aktivitás alapú csoporthoz DocType: Journal Entry,User Remark,Felhasználói megjegyzés DocType: Lead,Market Segment,Piaci rész -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},"Fizetett összeg nem lehet nagyobb, mint a teljes negatív kinntlévő összeg {0}" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},"Fizetett összeg nem lehet nagyobb, mint a teljes negatív kinntlévő összeg {0}" DocType: Employee Internal Work History,Employee Internal Work History,Alkalmazott cégen belüli mozgása apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zárás (Dr) DocType: Cheque Print Template,Cheque Size,Csekk Méret -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Szériaszám: {0} nincs raktáron +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Szériaszám: {0} nincs raktáron apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Adó sablon az eladási ügyletekere. DocType: Sales Invoice,Write Off Outstanding Amount,Írja le a fennálló kintlévő negatív összeget -apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Fiók {0} nem egyezik Company {1} +apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Számla {0} nem egyezik ezzel a vállalkozással: {1} DocType: School Settings,Current Academic Year,Aktuális folyó tanév DocType: Stock Settings,Default Stock UOM,Alapértelmezett raktár mértékegység DocType: Asset,Number of Depreciations Booked,Lekönyvelt amortizációk száma @@ -2880,7 +2890,7 @@ 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 +348,Add a few sample records,Adjunk hozzá néhány minta bejegyzést +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/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 @@ -2894,17 +2904,17 @@ 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},"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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Széria sz. és Köteg DocType: Warranty Claim,From Company,Cégtől -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Értékelési kritériumok pontszám összegének ennyinek kell lennie: {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Értékelési kritériumok pontszám összegének ennyinek kell lennie: {0}. 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 +270,Minute,Perc +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2924,7 +2934,7 @@ DocType: Production Order,PRO-,GYR- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Folyószámlahitel főkönyvi számla apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Bérpapír létrehozás apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Row # {0}: elkülönített összeg nem lehet nagyobb, mint fennálló összeg." -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Keressen anyagjegyzéket +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Keressen anyagjegyzéket apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Záloghitel DocType: Purchase Invoice,Edit Posting Date and Time,Rögzítési dátum és idő szerkesztése apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Kérjük, állítsa be Értékcsökkenéssel kapcsolatos számlákat ebben a Vagyoniszköz Kategóriában {0} vagy vállalkozásban {1}" @@ -2940,7 +2950,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 +278,Select Quantity,Válasszon mennyiséget +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -2963,6 +2973,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},"Nem engedélyezett a készlet tranzakciók frissítése, mely régebbi, mint {0}" DocType: Purchase Invoice Item,PR Detail,FIZKER részlete DocType: Sales Order,Fully Billed,Teljesen számlázott +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Szállító> Szállító Type 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 +127,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) @@ -3000,8 +3011,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Összes Költség Összeg 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 apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Tervezett -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Széria sz.: {0} nem tartozik ehhez a Raktárhoz {1} +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" DocType: Notification Control,Quotation Message,Árajánlat üzenet DocType: Employee Loan,Employee Loan Application,Alkalmazotti hitelkérelem @@ -3019,13 +3031,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Beszerzési költség utalvány összege apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Beszállítók áéltal benyújtott számlák DocType: POS Profile,Write Off Account,Leíró számla -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Terhelési értesítés össz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Terhelési értesítő össz apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Kedvezmény összege DocType: Purchase Invoice,Return Against Purchase Invoice,Beszerzési számla ellenszámlája 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 +207,e.g. VAT,pl. ÁFA +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3033,7 +3045,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 +1945,Please select customer,"Kérjük, válasszon vevőt" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3062,7 +3074,7 @@ DocType: Lead,Address Desc,Cím leírása apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Ügyfél kötelező DocType: Journal Entry,JV-,KT- DocType: Topic,Topic Name,Téma neve -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Legalább az Értékesítést vagy Beszerzést választani kell +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Legalább az Értékesítést vagy Beszerzést választani kell apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Válassza ki a vállalkozása fajtáját. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: ismétlődő bevitelt Referenciák {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Ahol a gyártási műveleteket végzik. @@ -3071,7 +3083,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,"Min Menny nem lehet nagyobb, mint Max Mennyiség" +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" DocType: Account,Accumulated Depreciation,Halmozott értékcsökkenés DocType: Stock Entry,Customer or Supplier Details,Vevő vagy Beszállító részletei DocType: Employee Loan Application,Required by Date,Kötelező dátumonként @@ -3100,10 +3112,10 @@ 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: Student Guardian,Student Guardian,Diák felügyelő apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Készletérték típusú költségeket nem lehet megjelölni értékbe beszámíthatónak DocType: POS Profile,Update Stock,Készlet frissítése -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Szállító> Szállító Type apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Különböző mértékegység a tételekhez, helytelen (Összes) Nettó súly értékhez vezet. Győződjön meg arról, hogy az egyes tételek nettó tömege ugyanabban a mértékegységben van." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Anyagjegyzék Díjszabási ár DocType: Asset,Journal Entry for Scrap,Naplóbejegyzés selejtezéshez @@ -3155,7 +3167,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Mutassa az adókedvezmény-felbontást apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3174,14 +3185,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Alapértelmezett készpénzforgalmi számla apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Vállalkozás (nem vevő vagy beszállító) törzsadat. 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 +176,No Students in,Nincs diák ebben +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 +108,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 +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Érvénytelen GSTIN vagy Enter NA nem regisztrált +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 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,21 +3222,23 @@ DocType: Sales Team,Contribution (%),Hozzájárulás (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Megjegyzés: Fizetés bejegyzés nem hozható létre, mivel 'Készpénz vagy bankszámla' nem volt megadva" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Felelősségek DocType: Expense Claim Account,Expense Claim Account,Költség követelés számla +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa elnevezése sorozat {0} a Setup> Beállítások> elnevezése sorozat" DocType: Sales Person,Sales Person Name,Értékesítő neve apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Kérjük, adjon meg legalább 1 számlát a táblázatban" +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Felhasználók hozzáadása DocType: POS Item Group,Item Group,Anyagcsoport DocType: Item,Safety Stock,Biztonsági készlet apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Haladás % , egy feladatnak nem lehet nagyobb, mint 100." DocType: Stock Reconciliation Item,Before reconciliation,Főkönyvi egyeztetés előtt apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Címzett {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Adók és költségek hozzáadva (a vállalkozás pénznemében) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Tétel adó sor: {0} , melynek vagy adó vagy bevétel vagy kiadás vagy megterhelhető főkönyvi típusú számlának kell lennie." +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Tétel adó sor: {0} , melynek vagy adó vagy bevétel vagy kiadás vagy megterhelhető főkönyvi típusú számlának kell lennie." DocType: Sales Order,Partly Billed,Részben számlázott apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,"Tétel: {0}, befektetett eszköz tételnek kell lennie" DocType: Item,Default BOM,Alapértelmezett anyagjegyzék BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Terhelési értesítés összege +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Terhelési értesítő összege apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Kérjük ismítelje meg a cég nevét, a jóváhagyáshoz." -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Teljes fennálló kintlévő össz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Teljes fennálló kintlévő össz DocType: Journal Entry,Printing Settings,Nyomtatási beállítások DocType: Sales Invoice,Include Payment (POS),Fizetés hozzáadása (Kassza term) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Összes Tartozásnak egyeznie kell az összes Követeléssel. A különbség az, {0}" @@ -3233,19 +3246,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Biztosítótársaság DocType: Asset Category Account,Fixed Asset Account,Állóeszköz-számlafiók apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Változó -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Szállítólevélből +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Szállítólevélből DocType: Student,Student Email Address,Tanuló email cím DocType: Timesheet Detail,From Time,Időtől apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Raktáron: DocType: Notification Control,Custom Message,Egyedi üzenet apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Készpénz vagy bankszámla kötelező a fizetés bejegyzéshez -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kérjük beállítási számozási sorozat nyilvántartó a Setup> számozás sorozat apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Tanul címe 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 +1517,Address Name,Cím Neve +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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ő @@ -3262,7 +3274,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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" @@ -3270,7 +3282,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Beírt értéknek pozitívnak kell lennie +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/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. @@ -3278,8 +3290,8 @@ DocType: Fiscal Year,Year Name,Év Neve DocType: Process Payroll,Process Payroll,Bérszámfejtéséhez apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,"Jelenleg több a szabadság, mint a munkanap ebben a hónapban." DocType: Product Bundle Item,Product Bundle Item,Gyártmány tétel csomag -DocType: Sales Partner,Sales Partner Name,Értékesítő partner neve -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Árajánlatkérés +DocType: Sales Partner,Sales Partner Name,Vevő partner neve +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Árajánlatkérés DocType: Payment Reconciliation,Maximum Invoice Amount,Maximális Számla összege DocType: Student Language,Student Language,Diák anyanyelve apps/erpnext/erpnext/config/selling.py +23,Customers,Vevők @@ -3289,7 +3301,7 @@ DocType: Asset,Partially Depreciated,Részben leértékelődött DocType: Issue,Opening Time,Kezdési idő apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Ettől és eddig időpontok megadása apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & árutőzsdék -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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. +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 +847,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz @@ -3307,7 +3319,7 @@ 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 +266,Raw Material,Nyersanyag +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3319,7 +3331,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa elnevezése sorozat {0} a Setup> Beállítások> elnevezése sorozat" 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. @@ -3331,8 +3342,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Széria számok szükségesek a sorbarendezett tételhez: {0} +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/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 DocType: Journal Entry,Bank Entry,Bank adatbevitel DocType: Authorization Rule,Applicable To (Designation),Alkalmazandó (Titulus) @@ -3349,7 +3360,7 @@ 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 +270,Hour,Óra +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3359,10 +3370,10 @@ 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 +645,Point of Sale,Értékesítési hely kassza +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 On -DocType: Program Enrollment,Pick/Drop by Guardian,Kis / Csökkenés Guardian +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 DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Készítsen teljes mennyiségre, figyelmen kívül hagyva a már megrendelt mennyiséget" DocType: Account,Tax,Adó apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Jelöletlen @@ -3374,8 +3385,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 +270,Gram,Gramm -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3400,14 +3411,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 +465,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 +466,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 +834,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 +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 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 @@ -3439,7 +3450,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Számlázási Állam @@ -3486,10 +3497,10 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Beállítások az internetes honlaphoz 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 +214,Invalid attribute {0} {1},Érvénytelen Jellemző {0} {1} +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},Ugyanazt a tételt már többször jelenik meg. {lista} -apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Kérjük, válasszon az értékelés eltérő csoport „Az Értékelési csoportok”" +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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." apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negatív értékelési ár nem megengedett @@ -3556,7 +3567,7 @@ apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Távollétre jelen apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Meglévő tranzakcióval rendelkező számla nem törölhető. DocType: Vehicle,Last Carbon Check,Utolsó másolat megtekintés apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Jogi költségek -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Kérjük, válasszon mennyiséget sor" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Kérjük, válasszon mennyiséget a soron" DocType: Purchase Invoice,Posting Time,Rögzítés ideje DocType: Timesheet,% Amount Billed,% mennyiség számlázva apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefon költségek @@ -3584,16 +3595,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Bér összetevők DocType: Program Enrollment Tool,New Academic Year,Új Tanév apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Vissza / Követelés értesítő DocType: Stock Settings,Auto insert Price List rate if missing,"Auto Árlista érték beillesztés, ha hiányzik" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Teljes fizetett összeg +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Teljes fizetett összeg DocType: Production Order Item,Transferred Qty,Átvitt Mennyiség apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigálás apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Tervezés 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 +272,We sell this Item,Értékesítjük ezt a tételt +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3636,12 +3649,12 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent DocType: Purchase Invoice Item,Price List Rate (Company Currency),Árlista árak (Vállalat pénznemében) DocType: Products Settings,Products Settings,Termék beállítások DocType: Account,Temporary,Ideiglenes -DocType: Program,Courses,tanfolyamok +DocType: Program,Courses,Tanfolyamok DocType: Monthly Distribution Percentage,Percentage Allocation,Százalékos megoszlás 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 +1186,Please set Company,"Kérjük, állítsa Company" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3657,13 +3670,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,"A szav 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 DocType: Attendance,ATT-,CSAT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},A vonalkód {0} már használt a {1} Tételnél +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},A vonalkód {0} már használt a {1} Tételnél DocType: Lead,Add to calendar on this date,Adja hozzá a naptárhoz ezen a napon apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Szabályok hozzátéve szállítási költségeket. DocType: Item,Opening Stock,Nyitó állomány apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Vevő szükséges apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} kötelező a Visszaadáshoz DocType: Purchase Order,To Receive,Beérkeztetés +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,felhasznalo@pelda.com DocType: Employee,Personal Email,Személyes emailcím apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Összes variáció DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ha engedélyezve van, a rendszer automatikusan kiküldi a könyvelési tételeket a leltárhoz." @@ -3674,15 +3688,14 @@ 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 +541,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 +542,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 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Legalább egy Raktár kötelező DocType: Serial No,Out of Warranty,Garanciaidőn túl DocType: BOM Replace Tool,Replace,Csere -apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nem talált termékek. -DocType: Production Order,Unstopped,Meg nem állított +apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nem talált termékeket. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} a {1} Értékesítési számlához DocType: Sales Invoice,SINV-,ÉSZLA- DocType: Request for Quotation Item,Project Name,Projekt téma neve @@ -3693,6 +3706,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} 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 @@ -3729,9 +3743,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Tartpmányból apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Szintaktikai hiba a képletben vagy állapotban: {0} 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 +100,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" +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 +40,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 +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/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 @@ -3739,12 +3753,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 +209,Rate (%),Ráta (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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/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 @@ -3762,7 +3778,7 @@ DocType: Purchase Receipt,Return Against Purchase Receipt,Vásárlási nyugtáva DocType: Request for Quotation Item,Request for Quotation Item,Árajánlatkérés tételre DocType: Purchase Order,To Bill,Számlázni DocType: Material Request,% Ordered,% Rendezve -DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Mert Course alapú Student Group, a pálya érvényesítésre kerül minden hallgató beiratkozott a kurzusok Program beiratkozás." +DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Tanfolyam alapú Tanuló csoport, a Tanfolyamon érvényesítésre kerül minden hallgató aki beiratkozott a tanfolyamra a Program beiratkozáskor." DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Adja meg Email címeket, vesszővel elválasztva, számlát automatikusan küldjük az adott időpontban" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Darabszámra fizetett munka apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Átlagos vásárlási érték @@ -3773,10 +3789,10 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Készlet könyvelés tétele apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,"Tétel: {0}, nincs telepítve Széria sz. Oszlopot hagyja üressen" +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" DocType: Accounts Settings,Accounts Settings,Könyvelés beállításai apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Jóváhagy -DocType: Customer,Sales Partner and Commission,Értékesítési Partner és a Bizottság +DocType: Customer,Sales Partner and Commission,Vevő Partner és a Jutalék DocType: Employee Loan,Rate of Interest (%) / Year,Kamatláb (%) / év ,Project Quantity,Project Mennyiség 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'","Összesen {0} az összes tételre nulla, lehet, hogy meg kell változtatnia 'Forgalmazói díjak ez alapján'" @@ -3788,7 +3804,7 @@ 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 +62,{0} items produced,{0} előállított tétel(ek) +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3796,13 +3812,13 @@ DocType: Production Order Operation,Production Order Operation,Gyártási rendel 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 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 a Batch {2} +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} DocType: Journal Entry Account,Exchange Rate,Átváltási arány -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,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 +560,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 @@ -3827,18 +3843,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti +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/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" DocType: Employee Loan,Repay Fixed Amount per Period,Fix összeg visszafizetése időszakonként apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Kérjük, adjon meg mennyiséget erre a tételre: {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Megjegyzés össz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Követelés értesítő össz DocType: Employee External Work History,Employee External Work History,Alkalmazott korábbi munkahelyei DocType: Tax Rule,Purchase,Beszerzés apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Mérleg mennyiség @@ -3854,16 +3870,16 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active DocType: Opportunity,Next Contact,Következő Kapcsolat apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Fizetési átjáró számlák telepítése. DocType: Employee,Employment Type,Alkalmazott típusa -apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Befektetett fix eszközök +apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Befektetett Álló eszközök DocType: Payment Entry,Set Exchange Gain / Loss,Árfolyamnyereség / veszteség beállítása -,GST Purchase Register,GST Vásárlás Regisztráció +,GST Purchase Register,GST beszerzés regisztráció ,Cash Flow,Pénzforgalom apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Jelentkezési időszak nem lehet két elhelyezett bejegyzés között 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,Forgalmi adó Template -apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez +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 DocType: Employee,Encashment Date,Beváltás dátuma DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Készlet igazítás @@ -3892,6 +3908,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 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 @@ -3900,20 +3917,20 @@ apps/erpnext/erpnext/stock/doctype/item/item.js +66,This Item is a Variant of {0 DocType: Workstation,per hour,óránként apps/erpnext/erpnext/config/buying.py +7,Purchasing,Beszerzés DocType: Announcement,Announcement,Közlemény -DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Batch alapú Student Group, a Student Batch érvényesítésre kerül minden hallgató a program regisztrációs." +DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Köteg alapú Tanuló csoport, a Tanuló köteg érvényesítésre kerül minden hallgató a program regisztrációból." apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Raktárat nem lehet törölni mivel a készletek főkönyvi bejegyzése létezik erre a raktárra. DocType: Company,Distribution,Képviselet apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Kifizetett Összeg apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projekt téma menedzser ,Quoted Item Comparison,Ajánlott tétel összehasonlítás apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Feladás -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,A(z) {0} tételre max. {1}% engedmény adható +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 +279,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 +879,Select Items to Manufacture,Tételek kiválasztása gyártáshoz -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig" +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" DocType: Item,Material Issue,Anyag probléma DocType: Hub Settings,Seller Description,Eladó Leírása DocType: Employee Education,Qualification,Képesítés @@ -3937,7 +3954,7 @@ DocType: POS Profile,Terms and Conditions,Általános Szerződési Feltételek 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 +200,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 +198,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 @@ -3957,7 +3974,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Beállítani ezt a költségvetési évet alapértelmezettként, kattintson erre: 'Beállítás alapértelmezettként'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Csatlakozik apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Hiány Mennyisége -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel DocType: Employee Loan,Repay from Salary,Bérből törleszteni DocType: Leave Application,LAP/,TAVOLL/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Fizetési igény ehhez {0} {1} ezzel az összeggel {2} @@ -3975,18 +3992,18 @@ 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 +1011,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 +944,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 +213,Serial No {0} has already been received,Széria sz. {0} már beérkezett +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 ,Requested Items To Be Transferred,Kérte az átvinni kívánt elemeket 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 +1312,Delete permanently?,Véglegesen törli? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Érvénytelen {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Érvénytelen {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Betegszabadság DocType: Email Digest,Email Digest,Összefoglaló email DocType: Delivery Note,Billing Address Name,Számlázási cím neve @@ -3999,6 +4016,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f 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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Termék kód> Elem Csoport> Márka DocType: Item,Max Discount (%),Max. engedmény (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Utolsó megrendelés összege DocType: Task,Is Milestone,Ez mérföldkő @@ -4022,8 +4040,8 @@ DocType: Program Enrollment Tool,New Program,Új program DocType: Item Attribute Value,Attribute Value,Jellemzők értéke ,Itemwise Recommended Reorder Level,Tételenkénti Ajánlott újrarendelési szint DocType: Salary Detail,Salary Detail,Bér részletei -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Kérjük, válassza ki a {0} először" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Köteg {0} ebből a tételből: {1} lejárt. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Kérjük, válassza ki a {0} először" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Köteg {0} ebből a tételből: {1} lejárt. DocType: Sales Invoice,Commission,Jutalék apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Idő nyilvántartó a gyártáshoz. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Részösszeg @@ -4045,15 +4063,15 @@ apps/erpnext/erpnext/templates/pages/cart.html +16,Place Order,Rendelés helye DocType: Email Digest,New Purchase Orders,Új beszerzési rendelés apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Forrás nem lehet egy szülő költséghely apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Válasszon márkát ... -apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Tréningeseményeket / Eredmények +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 +399,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 +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/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 +387,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 +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/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 @@ -4083,7 +4101,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Eltávolítás időpontja DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mailt fog küldeni a vállalkozás összes aktív alkalmazottja részére az adott órában, ha nincsenek szabadságon. A válaszok összefoglalását éjfélkor küldi." DocType: Employee Leave Approver,Employee Leave Approver,Alkalmazott Távollét Jóváhagyó -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nem jelentheti elveszettnek, mert kiment az Árajánlat." 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 @@ -4116,6 +4134,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: 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" @@ -4124,17 +4143,17 @@ DocType: Cost Center,Cost Center Name,Költséghely neve DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max munkaidő a munkaidő jelenléti ívhez DocType: Maintenance Schedule Detail,Scheduled Date,Ütemezett dátum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Teljes fizetett össz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Teljes fizetett össz DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 karakternél nagyobb üzenetek több üzenetre lesznek bontva DocType: Purchase Receipt Item,Received and Accepted,Beérkezett és befogadott -,GST Itemised Sales Register,GST tételes Sales Regisztráció +,GST Itemised Sales Register,GST tételes értékesítés regisztráció ,Serial No Service Contract Expiry,Széria sz. karbantartási szerződés lejárati ideje apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Egy főkönyvi számlában nem végezhet egyszerre tartozás és követelés bejegyzést. 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 +237,Your Suppliers,Ön Beszállítói +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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'" @@ -4146,7 +4165,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Weboldal kép: {0} ami csatolva lett a {1} tételhez, nem található" +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. @@ -4161,7 +4180,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Mit csinál? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Raktárba apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Minden Student Felvételi ,Average Commission Rate,Átlagos jutalék mértéke -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Van sorozatszáma"" nem lehet ""igen"" a nem-készletezett tételnél" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Van sorozatszáma"" nem lehet ""igen"" a nem-készletezett tételnél" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Részvételt nem lehet megjelölni jövőbeni dátumhoz DocType: Pricing Rule,Pricing Rule Help,Árképzési szabály Súgó DocType: School House,House Name,Ház név @@ -4177,7 +4196,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 +339,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 +340,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" @@ -4192,20 +4211,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},A bérpapír az Alkalmazotthoz: {0} már létrehozott erre a jelenléti ívre: {1} 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 +683,Item {0} is disabled,Tétel {0} letiltva +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Bérpapír generálása -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Vásárlást ellenőrizni kell, amennyiben alkalmazható erre a kiválasztottra: {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Vásárlást ellenőrizni kell, amennyiben alkalmazható erre a kiválasztottra: {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,"Kedvezménynek kisebbnek kell lennie, mint 100" 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 +500,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség" +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Beszerzési költség utalvány @@ -4264,7 +4283,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,KARBLATOG apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Várható időpont nem lehet korábbi mint az Anyag igénylés dátuma DocType: Purchase Invoice Item,Stock Qty,Készlet menny. -DocType: Production Order,Source Warehouse (for reserving Items),Forrás raktár (tételek lefoglalásához) DocType: Employee Loan,Repayment Period in Months,Törlesztési időszak hónapokban apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Hiba: Érvénytelen id azonosító? DocType: Naming Series,Update Series Number,Széria szám frissítése @@ -4312,7 +4330,7 @@ DocType: Production Order,Planned End Date,Tervezett befejezési dátum apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Ahol az anyagok tárolva vannak. DocType: Request for Quotation,Supplier Detail,Beszállító adatai apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Hiba az űrlapban vagy feltételben: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Számlázott összeg +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Számlázott összeg DocType: Attendance,Attendance,Részvétel apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Raktári tételek DocType: BOM,Materials,Anyagok @@ -4344,7 +4362,7 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root ter apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Új értékesítési személy neve DocType: Packing Slip,Gross Weight UOM,Bruttó tömeg mértékegysége DocType: Delivery Note Item,Against Sales Invoice,Értékesítési ellenszámlák -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,"Kérjük, adja sorozatszámlistáját sorozatban tétel" +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,"Kérjük, adjaon sorozatszámokat a sorbarendezett tételekhez" 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) @@ -4352,10 +4370,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Telepítsen egy egyszerű weboldalt a vállalkozásunkhoz +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 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 +650,Please specify Attribute Value for attribute {0},"Kérjük, adja meg a Jellemző értékét erre a Jellemzőre: {0}" +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}" DocType: Item,Default Warehouse,Alapértelmezett raktár apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Költségvetést nem lehet hozzárendelni ehhez a Csoport számlához {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Kérjük, adjon meg szülő költséghelyet" @@ -4387,7 +4405,7 @@ DocType: Lead,Blog Subscriber,Blog Követők DocType: Guardian,Alternate Number,Alternatív száma DocType: Assessment Plan Criteria,Maximum Score,Maximális pontszám apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Készítsen szabályokat az ügyletek korlátozására az értékek alapján. -apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Csoport Roll Nem +apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Csoport beiratkozási sz.: DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Hagyja üresen, ha diák csoportokat évente hozza létre" DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ha be van jelölve, a munkanapok száma tartalmazni fogja az ünnepeket, és ez csökkenti a napi bér összegét" DocType: Purchase Invoice,Total Advance,Összes előleg @@ -4405,7 +4423,7 @@ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_recei apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ennek alapja az ezzel a Vevővel történt tranzakciók. Lásd alábbi idővonalat a részletekért DocType: Supplier,Credit Days Based On,"Követelés napok, ettől függően" apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},"Sor {0}: Lekötött összeg {1} kisebbnek kell lennie, vagy egyenlő fizetés Entry összeg {2}" -,Course wise Assessment Report,Természetesen bölcs értékelő jelentés +,Course wise Assessment Report,Tanfolyamonkéni értékelő jelentés DocType: Tax Rule,Tax Rule,Adójogszabály DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ugyanazt az árat tartani az egész értékesítési ciklusban DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Tervezési idő naplók a Munkaállomés munkaidején kívül. @@ -4414,7 +4432,7 @@ 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 +1344,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt +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/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 @@ -4422,6 +4440,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Kérjük beállítási Alkalmazott névadási rendszerben Emberi Erőforrás> HR beállítások 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 +231,{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." @@ -4434,7 +4453,7 @@ 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}" apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} nem létezik -apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Select sarzsszámok +apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,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}" @@ -4444,7 +4463,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,"Árlista nem található, vagy letiltva" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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'" @@ -4456,7 +4475,7 @@ DocType: Selling Settings,Campaign Naming By,Kampányt elnevezte DocType: Employee,Current Address Is,Jelenlegi cím apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,módosított 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,Ügyfél GSTIN +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 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." @@ -4464,7 +4483,7 @@ 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Kérjük, adja meg a Költség számlát" DocType: Account,Stock,Készlet -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Sor # {0}: Referencia Dokumentum típus legyen Beszerzési megrendelés, Beszerzési számla vagy Naplókönyvelés" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Sor # {0}: Referencia Dokumentum típus legyen Beszerzési megrendelés, Beszerzési számla vagy Naplókönyvelés" DocType: Employee,Current Address,Jelenlegi cím DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ha a tétel egy másik tétel egy változata akkor a leírás, kép, árképzés, adók stb. a sablonból lesz kiállítva, hacsak nincs külön meghatározva" DocType: Serial No,Purchase / Manufacture Details,Beszerzés / gyártás Részletek @@ -4502,11 +4521,12 @@ DocType: Student,Home Address,Lakcím apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Eszköz átvitel DocType: POS Profile,POS Profile,POS profil DocType: Training Event,Event Name,Esemény neve -apps/erpnext/erpnext/config/schools.py +39,Admission,Belépés +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Belépés apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Felvételi: {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Tétel: {0}, egy sablon, kérjük, válasszon variánst" DocType: Asset,Asset Category,Vagyoneszköz kategória +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Beszerzési megrendelő apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettó fizetés nem lehet negatív DocType: SMS Settings,Static Parameters,Statikus paraméterek DocType: Assessment Plan,Room,Szoba @@ -4515,6 +4535,7 @@ DocType: Item,Item Tax,Tétel adójának típusa apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Anyag beszállítóhoz apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Ügyfél> Vásárlói csoport> Terület DocType: Expense Claim,Employees Email Id,Alkalmazottak email id azonosító DocType: Employee Attendance Tool,Marked Attendance,jelzett Nézőszám apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Rövid lejáratú kötelezettségek @@ -4561,7 +4582,7 @@ DocType: Packing Slip,Package Weight Details,Csomag súlyának adatai DocType: Payment Gateway Account,Payment Gateway Account,Fizetési átjáró számla fiókja DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,A fizetés befejezése után a felhasználót átirányítja a kiválasztott oldalra. DocType: Company,Existing Company,Meglévő vállalkozás -apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Adó kategóriák változott „Total”, mert az összes tételek nincsenek raktáron tételek" +apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Adó kategóriák erre változott: ""Összes"", mert az összes tételek nem raktáron lévő tételek" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Kérjük, válasszon egy csv fájlt" DocType: Student Leave Application,Mark as Present,Jelenlévővé jelölés DocType: Purchase Order,To Receive and Bill,Beérkeztetés és Számlázás @@ -4586,6 +4607,7 @@ DocType: Leave Type,Is Carry Forward,Ez átvitt apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Készlet Összefoglaló diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv index 48a142ca82..1f41f4d0a9 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Daftar Hari Libur -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Akuntan +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Akuntan DocType: Cost Center,Stock User,Pengguna Stok DocType: Company,Phone No,No Telepon yang apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Jadwal Kursus dibuat: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Tidak diizinkan untuk {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Mendapatkan Stok Barang-Stok Barang dari -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Tidak item yang ditemukan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Laporan saham DocType: Warehouse,Warehouse Detail,Detail Gudang apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Batas kredit telah menyeberang untuk Konsumen {0} {1} / {2} 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.,Jangka Tanggal Akhir tidak bisa lebih lambat dari Akhir Tahun Tanggal Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Aset Tetap"" tidak dapat dicentang, karena ada catatan Asset terhadap item" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Dari {0} ke {1} DocType: Item,Copy From Item Group,Salin Dari Grup Stok Barang DocType: Journal Entry,Opening Entry,Entri Pembuka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Akun Pay Hanya DocType: Employee Loan,Repay Over Number of Periods,Membayar Lebih dari Jumlah Periode DocType: Stock Entry,Additional Costs,Biaya-biaya tambahan @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Laporan Rekening +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 DocType: Purchase Invoice Item,Is Fixed Asset,Apakah Aset Tetap apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tersedia qty adalah {0}, Anda perlu {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Contoh: Matematika Dasar +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/config/hr.py +214,Settings for HR Module,Pengaturan untuk modul HR DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Item dan Harga apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Jumlah jam: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari tanggal harus dalam Tahun Anggaran. Dengan asumsi Dari Tanggal = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Tanda kutip DocType: Customer,Individual,Individu DocType: Interest,Academics User,Pengguna Akademis DocType: Cheque Print Template,Amount In Figure,Jumlah Dalam Gambar @@ -265,7 +266,7 @@ DocType: Employee,Create User,Buat pengguna DocType: Selling Settings,Default Territory,Wilayah Standar apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televisi DocType: Production Order Operation,Updated via 'Time Log',Diperbarui melalui 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Jumlah muka tidak dapat lebih besar dari {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Jumlah muka tidak dapat lebih besar dari {0} {1} DocType: Naming Series,Series List for this Transaction,Daftar Series Transaksi ini DocType: Company,Enable Perpetual Inventory,Aktifkan Inventaris Abadi DocType: Company,Default Payroll Payable Account,Default Payroll Hutang Akun @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Submit +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nama Kontak +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,cuti per Tahun 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 +189,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik perusahaan {1} +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 +270,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Tahunan DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bursa Rekonsiliasi Stok Barang @@ -315,7 +316,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 +316,People who teach at your organisation,Orang-orang yang mengajar di organisasi Anda +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Memungkinkan pengguna untuk mengedi 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 +699,Item {0} is cancelled,Item {0} dibatalkan +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 +882,Material Request,Permintaan Material DocType: Bank Reconciliation,Update Clearance Date,Perbarui Izin Tanggal DocType: Item,Purchase Details,Rincian pembelian @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,armada Manajer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dimasukan dua kali dalam Pajak Stok Barang +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} dimasukan dua kali dalam Pajak Stok Barang apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Ringkasan untuk minggu ini dan kegiatan yang tertunda DocType: Student Applicant,Admitted,mengakui DocType: Workstation,Rent Cost,Biaya Sewa @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Diterima apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Buat Grup Mahasiswa apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Pengaturan Sudah Selesai!! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Jumlah Catatan Kredit +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Jumlah Catatan Kredit ,Finished Goods,Stok Barang Jadi DocType: Delivery Note,Instructions,Instruksi DocType: Quality Inspection,Inspected By,Diperiksa Oleh @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Buat Pelanggan baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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/utilities/activation.py +88,Create Purchase Orders,Buat Purchase Order ,Purchase Register,Register Pembelian DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,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 +361,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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} karena beberapa kali dalam Atribut Tabel +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribut {0} karena beberapa kali dalam Atribut Tabel DocType: HR Settings,Employee record is created using selected field. , DocType: Sales Order,Not Applicable,Tidak Berlaku apps/erpnext/erpnext/config/hr.py +70,Holiday master.,master Hari Libur. @@ -524,7 +526,7 @@ 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Entrikan Gudang yang Material Permintaan akan dibangkitkan DocType: Production Order,Additional Operating Cost,Biaya Operasi Tambahan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetik -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item" DocType: Shipping Rule,Net Weight,Berat Bersih DocType: Employee,Emergency Phone,Telepon Darurat apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Membeli @@ -547,7 +549,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 +2428,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya DocType: Purchase Invoice,Supplier Invoice No,Nomor Faktur Supplier DocType: Territory,For reference,Untuk referensi -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Tidak dapat menghapus Serial ada {0}, seperti yang digunakan dalam transaksi Stok" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Tidak dapat menghapus Serial ada {0}, seperti yang digunakan dalam transaksi Stok" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Penutup (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Pindahkan Barang DocType: Serial No,Warranty Period (Days),Masa Garansi (Hari) @@ -587,7 +589,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Silakan pilih Perusahaan dan Partai Jenis terlebih dahulu apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nilai akumulasi -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Maaf, Serial Nos tidak dapat digabungkan" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Maaf, Serial Nos tidak dapat digabungkan" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Membuat Sales Order DocType: Project Task,Project Task,Tugas Proyek ,Lead Id,Id Kesempatan @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Alokasi apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Retur Penjualan 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,Catatan: Jumlah daun dialokasikan {0} tidak boleh kurang dari daun yang telah disetujui {1} untuk periode +,Total Stock Summary,Total Stock Summary DocType: Announcement,Posted By,Dikirim oleh DocType: Item,Delivered by Supplier (Drop Ship),Dikirim oleh Supplier (Drop Shipment) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database Konsumen potensial. @@ -615,7 +618,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Database Konsumen. DocType: Quotation,Quotation To,Quotation Untuk DocType: Lead,Middle Income,Penghasilan Menengah apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Pembukaan (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standar Satuan Ukur untuk Item {0} tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru menggunakan default UOM berbeda. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standar Satuan Ukur untuk Item {0} tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru menggunakan default UOM berbeda. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Jumlah yang dialokasikan tidak dijinkan negatif apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Harap atur Perusahaan DocType: Purchase Order Item,Billed Amt,Nilai Tagihan @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Skor Penilaian Maksimum apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Tanggal Transaksi pembaruan Bank apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Pelacakan waktu +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE FOR TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Tahun Fiskal Perusahaan DocType: Packing Slip Item,DN Detail,DN Detil DocType: Training Event,Conference,Konferensi @@ -675,8 +679,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 +320,Timesheet created:,Absen dibuat: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,Selesai +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Selesai apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Mendasarkan DocType: Timesheet,Total Billed Hours,Total Jam Ditagih DocType: Journal Entry,Write Off Amount,Jumlah Nilai Write Off @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Kota Penjual ,Absent Student Report,Laporan Absen Siswa DocType: Email Digest,Next email will be sent on:,Email berikutnya akan dikirim pada: DocType: Offer Letter Term,Offer Letter Term,Term Surat Penawaran -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item memiliki varian. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Item memiliki varian. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} tidak ditemukan DocType: Bin,Stock Value,Nilai Stok apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Perusahaan {0} tidak ada @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,membuat Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Standar Harga Pokok Penjuala apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Daftar Harga tidak dipilih DocType: Employee,Family Background,Latar Belakang Keluarga DocType: Request for Quotation Supplier,Send Email,Kirim Email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Peringatan: Lampiran tidak valid {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Tidak ada Izin +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Peringatan: Lampiran tidak valid {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Tidak ada Izin 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -872,7 +876,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 +274,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan +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/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 @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} harus aktif +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial ada {0} bukan milik Stok Barang {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial ada {0} bukan milik Stok Barang {1} DocType: Purchase Receipt Item Supplied,Required Qty,Qty Diperlukan apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke buku besar. DocType: Bank Reconciliation,Total Amount,Nilai Total @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponen apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Cukup masukkan Aset Kategori dalam angka {0} DocType: Quality Inspection Reading,Reading 6,Membaca 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak bisa {0} {1} {2} tanpa faktur yang beredar negatif +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak bisa {0} {1} {2} tanpa faktur yang beredar negatif DocType: Purchase Invoice Advance,Purchase Invoice Advance,Uang Muka Faktur Pembelian DocType: Hub Settings,Sync Now,Sync Now apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Baris {0}: entry Kredit tidak dapat dihubungkan dengan {1} @@ -998,12 +1002,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 +731,New Sales Invoice,Baru Faktur Penjualan +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sinkronisasi Offline Faktur +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimia DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default akun Bank / Cash akan secara otomatis diperbarui di Gaji Journal Entri saat mode ini dipilih. DocType: BOM,Raw Material Cost(Company Currency),Biaya Bahan Baku (Perusahaan Mata Uang) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Semua item telah dialihkan untuk Order Produksi ini. +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 +270,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1060,7 +1064,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 +452,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1068,7 +1072,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 +259,Qty for {0},Jumlah untuk {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Rekening Kas / Bank apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tentukan {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Item dihapus dengan tidak ada perubahan dalam jumlah atau nilai. DocType: Delivery Note,Delivery To,Pengiriman Untuk -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabel atribut wajib +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Tabel atribut wajib DocType: Production Planning Tool,Get Sales Orders,Dapatkan Order Penjualan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} tidak dapat negatif +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} tidak dapat negatif apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Diskon DocType: Asset,Total Number of Depreciations,Total Jumlah Penyusutan DocType: Sales Invoice Item,Rate With Margin,Tingkat Dengan Margin @@ -1118,7 +1122,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 +1546,ZIP Code,Kode Pos +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1136,7 +1140,7 @@ 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Silahkan mengatur 'Terapkan Diskon tambahan On' +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 DocType: Global Defaults,Global Defaults,Standar Global @@ -1168,10 +1172,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 +22,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 +23,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 +347,Capacity Planning Error,Kesalahan Perencanaan Kapasitas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kesalahan Perencanaan Kapasitas ,Trial Balance for Party,Trial Balance untuk Partai DocType: Lead,Consultant,Konsultan DocType: Salary Slip,Earnings,Pendapatan @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,Retur Barang apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} nomor seri berlaku untuk Item {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nomor seri berlaku untuk Item {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Item Code tidak dapat diubah untuk Serial Number 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} sudah dibuat untuk pengguna: {1} dan perusahaan {2} DocType: Sales Invoice Item,UOM Conversion Factor,Faktor Konversi UOM @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',Biaya Center For Stok Barang dengan Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1241,7 +1245,7 @@ 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,Lihat Buku Besar 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} tidak dapat memiliki Batch @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Order Penjualan {0} tidak valid +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Tempat Issue apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrak DocType: Email Digest,Add Quote,Tambahkan Kutipan -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produk atau Jasa +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 DocType: Mode of Payment,Mode of Payment,Mode Pembayaran -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ini adalah kelompok Stok Barang akar dan tidak dapat diedit. @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status Order produksi adalah {0} DocType: Appraisal Goal,Goal,Sasaran DocType: Sales Invoice Item,Edit Description,Edit Keterangan ,Team Updates,tim Pembaruan @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini. DocType: Item,Website Item Groups,Situs Grup Stok Barang DocType: Purchase Invoice,Total (Company Currency),Total (Perusahaan Mata Uang) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serial number {0} masuk lebih dari sekali +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 +78,{0} items in progress,{0} item berlangsung +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} bukan milik Stok Barang {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1425,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Alamat Pengiriman apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Chart of Account DocType: Material Request,Terms and Conditions Content,Syarat dan Ketentuan Konten apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,tidak dapat lebih besar dari 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Item {0} bukan merupakan Stok Stok Barang +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Item {0} bukan merupakan Stok Stok Barang DocType: Maintenance Visit,Unscheduled,Tidak Terjadwal DocType: Employee,Owned,Dimiliki DocType: Salary Detail,Depends on Leave Without Pay,Tergantung pada Cuti Tanpa Bayar @@ -1465,7 +1467,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 +273,We buy this Item,Kami membeli item ini +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Aset Nama DocType: Project,Task Weight,tugas Berat DocType: Shipping Rule Condition,To Value,Untuk Dinilai @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Tidak ada catatan yang ditemukan dalam tabel Pembayaran apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ini {0} konflik dengan {1} untuk {2} {3} DocType: Student Attendance Tool,Students HTML,siswa HTML DocType: POS Profile,Apply Discount,Terapkan Diskon -DocType: Purchase Invoice Item,GST HSN Code,Kode HSN GST +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 +283,Packing Slip(s) cancelled,Packing slip (s) dibatalkan @@ -1557,8 +1559,8 @@ 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 +2573,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kotak +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Metode pembayaran DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika diperiksa, Home page akan menjadi default Barang Group untuk website" DocType: Quality Inspection Reading,Reading 4,Membaca 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM default untuk {0} tidak ditemukan untuk Proyek {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Klaim untuk biaya perusahaan. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,tugas baru apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Membuat Quotation apps/erpnext/erpnext/config/selling.py +216,Other Reports,Laporan lainnya DocType: Dependent Task,Dependent Task,Tugas Dependent -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0} 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} DocType: SMS Center,Receiver List,Daftar Penerima -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Cari Barang +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Sudah lengkap +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/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 +263,Quantity must not be more than {0},Kuantitas tidak boleh lebih dari {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Id POS Pelanggan DocType: Account,Account Name,Nama Akun apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dari Tanggal tidak dapat lebih besar dari To Date -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Supplier Type induk. DocType: Purchase Order Item,Supplier Part Number,Supplier Part Number apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Kendaraan Dikirim Tanggal +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Standar Akun Hutang apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Pengaturan untuk keranjang belanja online seperti aturan pengiriman, daftar harga dll" @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Sertakan libur dala DocType: Sales Invoice,Packed Items,Produk Kemasan apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garansi Klaim terhadap Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Ganti BOM tertentu dalam semua BOMs lain di mana ia digunakan. Ini akan menggantikan link BOM tua, memperbarui biaya dan regenerasi meja ""BOM Ledakan Item"" per BOM baru" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Aktifkan Keranjang Belanja DocType: Employee,Permanent Address,Alamat Tetap apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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" @@ -1741,7 +1744,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Utama apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varian DocType: Naming Series,Set prefix for numbering series on your transactions,Mengatur awalan untuk penomoran seri pada transaksi Anda DocType: Employee Attendance Tool,Employees HTML,Karyawan HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya 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 @@ -1770,7 +1773,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 +175,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 +173,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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,Serial Nos dan Batches apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Kekuatan Kelompok Mahasiswa apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Entri Jurnal {0} sama sekali tidak memiliki ketidakcocokan {1} entri apps/erpnext/erpnext/config/hr.py +137,Appraisals,Penilaian -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Gandakan Serial ada dimasukkan untuk Item {0} +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" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} harus diserahkan +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Pembayaran @@ -1806,12 +1809,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Gerakan aset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Cart baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Produk Dari Pembelian Penerimaan DocType: Serial No,Creation Date,Tanggal Pembuatan apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Item {0} muncul beberapa kali dalam Daftar Harga {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}" DocType: Production Plan Material Request,Material Request Date,Bahan Permintaan Tanggal DocType: Purchase Order Item,Supplier Quotation Item,Quotation Stok Barang Supplier DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Menonaktifkan penciptaan log waktu terhadap Order Produksi. Operasi tidak akan dilacak terhadap Orde Produksi @@ -1853,12 +1856,12 @@ 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 DocType: Budget,Budget,Anggaran belanja -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset Item harus item non-saham. +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 +209,e.g. 5,misalnya 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1867,7 +1870,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,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 +263,A Product or Service,Produk atau Jasa +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pasangan +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pasangan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Sebenarnya Tanggal Akhir (via Waktu Lembar) 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 +160,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 +342,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang +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 DocType: Shipping Rule Condition,Shipping Amount,Jumlah Pengiriman -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Tambahkan Pelanggan +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,Piutang ,Supplier-Wise Sales Analytics,Sales Analitikal berdasarkan Supplier apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Masukkan Dibayar Jumlah DocType: Salary Structure,Select employees for current Salary Structure,Pilih karyawan untuk Struktur Gaji saat ini +DocType: Sales Invoice,Company Address Name,Nama alamat perusahaan 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)" @@ -1999,7 +2003,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 +269,Unit,Satuan +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbedaan @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasifikasi Konsumen menurut wilayah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Perbedaan Jumlah harus nol DocType: Project,Gross Margin,Margin kotor -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Entrikan Produksi Stok Barang terlebih dahulu +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 +748,Quotation,Quotation @@ -2041,7 +2045,7 @@ 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 ** **. DocType: Opportunity,Customer / Lead Address,Konsumen / Alamat Kesempatan -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Peringatan: Sertifikat SSL tidak valid pada lampiran {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Peringatan: Sertifikat SSL tidak valid pada lampiran {0} DocType: Student Admission,Eligibility,kelayakan apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Lead membantu Anda mendapatkan bisnis, menambahkan semua kontak Anda dan lebih sebagai lead Anda" DocType: Production Order Operation,Actual Operation Time,Waktu Operasi Aktual @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Hitung Total Skor DocType: Request for Quotation,Manufacturing Manager,Manajer Manufaktur apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial ada {0} masih dalam garansi upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Membagi Pengiriman Catatan ke dalam paket. -apps/erpnext/erpnext/hooks.py +87,Shipments,Pengiriman +apps/erpnext/erpnext/hooks.py +94,Shipments,Pengiriman DocType: Payment Entry,Total Allocated Amount (Company Currency),Total Dialokasikan Jumlah (Perusahaan Mata Uang) DocType: Purchase Order Item,To be delivered to customer,Yang akan dikirimkan ke Konsumen DocType: BOM,Scrap Material Cost,Scrap Material Biaya -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial ada {0} bukan milik Gudang setiap +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial ada {0} bukan milik Gudang setiap DocType: Purchase Invoice,In Words (Company Currency),Dalam Kata-kata (Perusahaan Mata Uang) DocType: Asset,Supplier,Supplier DocType: C-Form,Quarter,Perempat @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Rekening Pinjaman karyawan DocType: Leave Application,Total Leave Days,Jumlah Cuti Hari DocType: Email Digest,Note: Email will not be sent to disabled users,Catatan: Email tidak akan dikirim ke pengguna cacat apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Jumlah Interaksi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Brand 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 +408,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2124,7 +2127,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Detail Klaim Biaya -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Silakan pilih akun yang benar +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE UNTUK PEMASOK +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Silakan pilih akun yang benar DocType: Item,Weight UOM,Berat UOM DocType: Salary Structure Employee,Salary Structure Employee,Struktur Gaji Karyawan DocType: Employee,Blood Group,Golongan darah @@ -2146,7 +2150,7 @@ DocType: Student,Guardians,Penjaga 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 +336,Debit To is required,Debit Untuk diperlukan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2159,7 +2163,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Tunggakan: { DocType: BOM Website Operation,BOM Website Operation,Operasi Situs BOM apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Surat Penawaran apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Menghasilkan Permintaan Material (MRP) dan Order Produksi. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Jumlah Nilai Tagihan +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Jumlah Nilai Tagihan DocType: BOM,Conversion Rate,Tingkat konversi apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cari produk DocType: Timesheet Detail,To Time,Untuk Waktu @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Nomer Seri diperlukan untuk Item {1}. yang Anda telah disediakan {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Nomer Seri diperlukan untuk Item {1}. yang Anda telah disediakan {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Nilai Tingkat Penilaian Saat ini DocType: Item,Customer Item Codes,Kode Stok Barang Konsumen apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Efek Gain / Loss @@ -2220,7 +2224,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 +2454,Select Batch No,Pilih Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2244,19 +2248,19 @@ DocType: Leave Block List,Allow Users,Izinkan Pengguna DocType: Purchase Order,Customer Mobile No,Nomor Seluler Konsumen DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Melacak Penghasilan terpisah dan Beban untuk vertikal produk atau divisi. DocType: Rename Tool,Rename Tool,Alat Perubahan Nama -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Perbarui Biaya +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 +438,Show Salary Slip,Slip acara Gaji apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Pilih akun berubah jumlah +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Tambahkan Pajak +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2267,6 +2271,7 @@ DocType: Stock Entry,Purchase Receipt No,No Nota Penerimaan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Uang Earnest DocType: Process Payroll,Create Salary Slip,Buat Slip Gaji apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Lacak +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC Code 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 @@ -2296,7 +2301,7 @@ DocType: Employee Education,Post Graduate,Pasca Sarjana DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Jadwal pemeliharaan Detil DocType: Quality Inspection Reading,Reading 9,Membaca 9 DocType: Supplier,Is Frozen,Dibekukan -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,gudang kelompok simpul tidak diperbolehkan untuk memilih untuk transaksi +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,gudang kelompok simpul tidak diperbolehkan untuk memilih untuk transaksi DocType: Buying Settings,Buying Settings,Setting Pembelian DocType: Stock Entry Detail,BOM No. for a Finished Good Item,No. BOM untuk Stok Barang Jadi DocType: Upload Attendance,Attendance To Date,Kehadiran Sampai Tanggal @@ -2311,13 +2316,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Tidak bisa update Stok, faktur berisi penurunan Stok Barang pengiriman." +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.js +153,You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah kurs jika BOM disebutkan atas tiap Stok Barang +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Entrikan Planned Qty untuk Item {0} pada baris {1} @@ -2339,7 +2344,7 @@ DocType: Authorization Rule,Authorized Value,Nilai Disetujui DocType: BOM,Show Operations,Tampilkan Operasi ,Minutes to First Response for Opportunity,Menit ke Response Pertama untuk Peluang apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Jumlah Absen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Satuan Ukur DocType: Fiscal Year,Year End Date,Tanggal Akhir Tahun DocType: Task Depends On,Task Depends On,Tugas Tergantung Pada @@ -2430,7 +2435,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 +106,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 +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/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 @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Biaya Pusat apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Pesan Purchase Order @@ -2544,7 +2549,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 +1165,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,tugas Penyelesaian apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Habis DocType: Appraisal,HR User,HR Pengguna DocType: Purchase Invoice,Taxes and Charges Deducted,Pajak dan Biaya Dikurangi -apps/erpnext/erpnext/hooks.py +116,Issues,Isu +apps/erpnext/erpnext/hooks.py +124,Issues,Isu apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status harus menjadi salah satu {0} DocType: Sales Invoice,Debit To,Debit Untuk DocType: Delivery Note,Required only for sample item.,Diperlukan hanya untuk item sampel. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Wilayah apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Harap menyebutkan tidak ada kunjungan yang diperlukan DocType: Stock Settings,Default Valuation Method,Metode Perhitungan Standar +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Biaya DocType: Vehicle Log,Fuel Qty,BBM Qty DocType: Production Order Operation,Planned Start Time,Rencana Start Time DocType: Course,Assessment,Penilaian @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,Quotation {0} dibatalkan -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Jumlah Total Outstanding +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Semua Transaksi Penjualan dapat ditandai terhadap beberapa ** Orang Penjualan ** sehingga Anda dapat mengatur dan memonitor target. ,S.O. No.,SO No -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Silakan membuat Konsumen dari Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Silakan membuat Konsumen dari Lead {0} DocType: Price List,Applicable for Countries,Berlaku untuk Negara apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Hanya Tinggalkan Aplikasi status 'Disetujui' dan 'Ditolak' dapat disampaikan apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Mahasiswa Nama Group adalah wajib berturut-turut {0} @@ -2655,6 +2661,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/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 @@ -2697,8 +2704,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Alih Material untuk Produ 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.,Persentase Diskon dapat diterapkan baik terhadap Daftar Harga atau untuk semua List Price. DocType: Purchase Invoice,Half-yearly,Setengah tahun sekali apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Entri Akunting untuk Stok +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Anda telah menilai kriteria penilaian {}. DocType: Vehicle Service,Engine Oil,Oli mesin -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: Sales Invoice,Sales Team1,Penjualan team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Item {0} tidak ada DocType: Sales Invoice,Customer Address,Alamat Konsumen @@ -2726,7 +2733,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f 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 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Makanan, Minuman dan Tembakau" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Tingkat komisi tidak dapat lebih besar dari 100 DocType: Stock Entry,Subcontract,Kontrak tambahan apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Entrikan {0} terlebih dahulu @@ -2754,7 +2761,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Mahasiswa Lembar Kehadiran Bulanan apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Karyawan {0} telah diterapkan untuk {1} antara {2} dan {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Tanggal Project Mulai -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Sampai +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Sampai DocType: Rename Tool,Rename Log,Log Riwayat Ganti Nama apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Student Group atau Jadwal Kursus adalah wajib DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Samakan Jam Penagihan dan Jam Kerja di Daftar Absen @@ -2778,7 +2785,7 @@ DocType: Purchase Order Item,Returned Qty,Qty Retur DocType: Employee,Exit,Keluar apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipe Dasar adalah wajib DocType: BOM,Total Cost(Company Currency),Total Biaya (Perusahaan Mata Uang) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial ada {0} dibuat +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial ada {0} dibuat DocType: Homepage,Company Description for website homepage,Deskripsi Perusahaan untuk homepage website DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kenyamanan Konsumen, kode ini dapat digunakan dalam format cetak seperti Faktur dan Pengiriman Catatan" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nama suplier @@ -2798,7 +2805,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Jadwal Kursus dihapus: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Log untuk mempertahankan status pengiriman sms DocType: Accounts Settings,Make Payment via Journal Entry,Lakukan Pembayaran via Journal Entri -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed On +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On DocType: Item,Inspection Required before Delivery,Inspeksi Diperlukan sebelum Pengiriman DocType: Item,Inspection Required before Purchase,Inspeksi Diperlukan sebelum Pembelian apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Kegiatan Tertunda @@ -2830,9 +2837,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Alat Batch apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,batas Dilalui apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Modal Ventura 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.,Istilah akademik dengan ini 'Tahun Akademik' {0} dan 'Nama Term' {1} sudah ada. Harap memodifikasi entri ini dan coba lagi. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Karena ada transaksi yang ada terhadap barang {0}, Anda tidak dapat mengubah nilai {1}" +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}","Karena ada transaksi yang ada terhadap barang {0}, Anda tidak dapat mengubah nilai {1}" DocType: UOM,Must be Whole Number,Harus Nomor Utuh DocType: Leave Control Panel,New Leaves Allocated (In Days),cuti baru Dialokasikan (Dalam Hari) +DocType: Sales Invoice,Invoice Copy,Salinan faktur apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial ada {0} tidak ada DocType: Sales Invoice Item,Customer Warehouse (Optional),Gudang Customer (pilihan) DocType: Pricing Rule,Discount Percentage,Persentase Diskon @@ -2877,8 +2885,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat setelah 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Bekukan Stok Entri +DocType: Program Enrollment,Boarding Student,Pesantren DocType: Asset,Expected Value After Useful Life,Nilai diharapkan Setelah Hidup Berguna DocType: Item,Reorder level based on Warehouse,Tingkat Re-Order berdasarkan Gudang DocType: Activity Cost,Billing Rate,Tarip penagihan @@ -2905,11 +2915,11 @@ DocType: Serial No,Warranty / AMC Details,Garansi / Detail AMC apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pilih siswa secara manual untuk Activity based Group DocType: Journal Entry,User Remark,Keterangan Pengguna DocType: Lead,Market Segment,Segmen Pasar -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Dibayar Jumlah tidak dapat lebih besar dari jumlah total outstanding negatif {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Dibayar Jumlah tidak dapat lebih besar dari jumlah total outstanding negatif {0} DocType: Employee Internal Work History,Employee Internal Work History,Riwayat Kerja Karyawan Internal apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Penutup (Dr) DocType: Cheque Print Template,Cheque Size,Cek Ukuran -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial ada {0} bukan dalam stok +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial ada {0} bukan dalam stok apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Template Pajak transaksi penjualan DocType: Sales Invoice,Write Off Outstanding Amount,Write Off Jumlah Outstanding apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Akun {0} tidak cocok dengan Perusahaan {1} @@ -2933,7 +2943,7 @@ 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 +348,Add a few sample records,Tambahkan beberapa catatan sampel +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2947,17 +2957,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Konsumen {0} bukan milik proyek {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial dan Batch DocType: Warranty Claim,From Company,Dari Perusahaan -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Skor Kriteria Penilaian perlu {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Skor Kriteria Penilaian perlu {0}. 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 +270,Minute,Menit +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Akun Overdraft apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Membuat Slip Gaji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Baris # {0}: Alokasi Jumlah tidak boleh lebih besar dari jumlah yang terutang. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Telusuri BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Telusuri BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Pinjaman Aman DocType: Purchase Invoice,Edit Posting Date and Time,Mengedit Posting Tanggal dan Waktu apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Silahkan mengatur Penyusutan Akun terkait Aset Kategori {0} atau Perusahaan {1} @@ -2993,7 +3003,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 +278,Select Quantity,Pilih Kuantitas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Tidak diizinkan untuk memperbarui transaksi Stok lebih tua dari {0} DocType: Purchase Invoice Item,PR Detail,PR Detil DocType: Sales Order,Fully Billed,Sepenuhnya Ditagih +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Jumlah Total Biaya (via Wa 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 DocType: Customs Tariff Number,Tariff Number,tarif Nomor +DocType: Production Order Item,Available Qty at WIP Warehouse,Tersedia Qty di WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Proyeksi -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial ada {0} bukan milik Gudang {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial ada {0} bukan milik Gudang {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,Catatan: Sistem tidak akan memeriksa over-pengiriman dan over-booking untuk Item {0} kuantitas atau jumlah 0 DocType: Notification Control,Quotation Message,Quotation Pesan DocType: Employee Loan,Employee Loan Application,Karyawan Aplikasi Kredit @@ -3072,13 +3084,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Jumlah Nilai Voucher Landing Cost apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Tagihan diajukan oleh Pemasok. DocType: POS Profile,Write Off Account,Akun Write Off -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Catatan Debet Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Catatan Debet Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Jumlah Diskon DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Pembelian Faktur 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 +207,e.g. VAT,misalnya PPN +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3086,7 +3098,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 +1945,Please select customer,Silakan pilih pelanggan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3115,7 +3127,7 @@ DocType: Lead,Address Desc,Deskripsi Alamat apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partai adalah wajib DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,topik Nama -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,"Setidaknya salah satu, Jual atau Beli harus dipilih" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,"Setidaknya salah satu, Jual atau Beli harus dipilih" apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Pilih jenis bisnis anda. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Baris # {0}: Entri duplikat di Referensi {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dimana operasi manufaktur dilakukan. @@ -3124,7 +3136,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Qty tidak dapat lebih besar dari Max Qty +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 DocType: Account,Accumulated Depreciation,Akumulasi penyusutan DocType: Stock Entry,Customer or Supplier Details,Konsumen atau Supplier Detail DocType: Employee Loan Application,Required by Date,Dibutuhkan oleh Tanggal @@ -3153,10 +3165,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Purchase Orde apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nama perusahaan tidak dapat perusahaan apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Surat Kepala untuk mencetak template. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Judul untuk mencetak template misalnya Proforma Invoice. +DocType: Program Enrollment,Walking,Berjalan DocType: Student Guardian,Student Guardian,Wali murid apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Jenis penilaian biaya tidak dapat ditandai sebagai Inklusif DocType: POS Profile,Update Stock,Perbarui Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeda untuk item akan menyebabkan salah (Total) Nilai Berat Bersih. Pastikan Berat Bersih dari setiap item di UOM sama. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Tingkat DocType: Asset,Journal Entry for Scrap,Jurnal masuk untuk Scrap @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Tampilkan pajak break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Standar Rekening Kas apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Perusahaan (tidak Konsumen atau Supplier) Master. 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 +176,No Students in,Tidak ada siswa +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 +108,Please enter 'Expected Delivery Date',Entrikan 'Diharapkan Pengiriman Tanggal' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak valid atau Enter NA untuk tidak terdaftar +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3275,23 @@ DocType: Sales Team,Contribution (%),Kontribusi (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Catatan: Entry Pembayaran tidak akan dibuat karena 'Cash atau Rekening Bank tidak ditentukan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Tanggung Jawab DocType: Expense Claim Account,Expense Claim Account,Akun Beban Klaim +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: Sales Person,Sales Person Name,Penjualan Person Nama apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Entrikan minimal 1 faktur dalam tabel +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Tambahkan User DocType: POS Item Group,Item Group,Item Grup DocType: Item,Safety Stock,Persediaan keselamatan apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Kemajuan% untuk tugas tidak bisa lebih dari 100. DocType: Stock Reconciliation Item,Before reconciliation,Sebelum rekonsiliasi apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Untuk {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Pajak dan Biaya Ditambahkan (Perusahaan Mata Uang) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan DocType: Sales Order,Partly Billed,Sebagian Ditagih apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} harus menjadi Asset barang Tetap DocType: Item,Default BOM,BOM Standar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Jumlah Catatan Debet +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Jumlah Catatan Debet apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Mohon tipe nama perusahaan untuk mengkonfirmasi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Jumlah Posisi Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Jumlah Posisi Amt DocType: Journal Entry,Printing Settings,Pengaturan pencetakan DocType: Sales Invoice,Include Payment (POS),Sertakan Pembayaran (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Jumlah Debit harus sama dengan total kredit. Perbedaannya adalah {0} @@ -3286,19 +3299,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Otomotif DocType: Vehicle,Insurance Company,Perusahaan asuransi DocType: Asset Category Account,Fixed Asset Account,Akun Aset Tetap apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabel -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Dari Delivery Note +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Dari Delivery Note DocType: Student,Student Email Address,Mahasiswa Alamat Email DocType: Timesheet Detail,From Time,Dari Waktu apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Persediaan: DocType: Notification Control,Custom Message,Custom Pesan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Perbankan Investasi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat siswa 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 +1517,Address Name,Nama alamat +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Masukkan nilai harus positif +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,Proses Payroll apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Ada lebih dari hari kerja libur bulan ini. DocType: Product Bundle Item,Product Bundle Item,Barang Bundel Produk DocType: Sales Partner,Sales Partner Name,Penjualan Mitra Nama -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Permintaan Kutipan +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Permintaan Kutipan DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Faktur Jumlah DocType: Student Language,Student Language,Bahasa siswa apps/erpnext/erpnext/config/selling.py +23,Customers,Pelanggan @@ -3342,7 +3354,7 @@ DocType: Asset,Partially Depreciated,sebagian disusutkan DocType: Issue,Opening Time,Membuka Waktu apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Dari dan Untuk tanggal yang Anda inginkan apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Efek & Bursa Komoditi -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,Bahan Baku +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tanggal pembukaan harus sebelum Tanggal Penutupan -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: 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. @@ -3384,8 +3395,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos Diperlukan untuk Serial Stok Barang {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entri DocType: Authorization Rule,Applicable To (Designation),Berlaku Untuk (Penunjukan) @@ -3402,7 +3413,7 @@ 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 +270,Hour,Jam +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3412,7 +3423,7 @@ 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3427,8 +3438,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0. +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/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. @@ -3453,14 +3464,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 +465,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 +466,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 +834,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 +835,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 @@ -3492,7 +3503,7 @@ 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 +436,Warehouse required for stock Item {0},Gudang diperlukan untuk stok Stok Barang {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Negara penagihan @@ -3539,7 +3550,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Pengaturan untuk homepage website 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 +214,Invalid attribute {0} {1},atribut tidak valid {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Harap pilih kelompok penilaian selain 'Semua Kelompok Penilaian' @@ -3637,16 +3648,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Komponen gaji DocType: Program Enrollment Tool,New Academic Year,Baru Tahun Akademik apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Kembali / Nota Kredit DocType: Stock Settings,Auto insert Price List rate if missing,Insert auto tingkat Daftar Harga jika hilang -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Jumlah Total Dibayar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Jumlah Total Dibayar DocType: Production Order Item,Transferred Qty,Ditransfer Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,Menjelajahi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Perencanaan 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 +272,We sell this Item,Kami menjual item ini +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3694,7 +3707,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 +1186,Please set Company,Harap set Perusahaan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3710,13 +3723,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam K 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Butir {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Butir {1} DocType: Lead,Add to calendar on this date,Tambahkan ke kalender pada tanggal ini apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Aturan untuk menambahkan biaya pengiriman. DocType: Item,Opening Stock,Stok pembuka apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Konsumen diwajibkan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} adalah wajib bagi Pengembalian DocType: Purchase Order,To Receive,Menerima +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Email Pribadi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis." @@ -3728,7 +3742,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 +541,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri +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 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 @@ -3736,7 +3750,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Out of Garansi DocType: BOM Replace Tool,Replace,Mengganti apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Tidak ditemukan produk. -DocType: Production Order,Unstopped,unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} terhadap Faktur Penjualan {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nama Proyek @@ -3747,6 +3760,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} 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 @@ -3783,9 +3797,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Dari Rentang apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},kesalahan sintaks dalam formula atau kondisi: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Kerja Harian Ringkasan Pengaturan Perusahaan -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Item {0} diabaikan karena bukan Stok Barang stok +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 +40,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 +102,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 @@ -3793,12 +3807,14 @@ 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 +209,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Harap tentukan filter Perusahaan jika Group By 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting Tanggal tidak bisa tanggal di masa depan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} tidak sesuai dengan {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Santai Cuti @@ -3827,7 +3843,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Bursa Ledger entri apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Stok Barang {0} tidak setup untuk Serial Nos Kolom harus kosong +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 DocType: Accounts Settings,Accounts Settings,Pengaturan Akun apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Menyetujui DocType: Customer,Sales Partner and Commission,Penjualan Mitra dan Komisi @@ -3842,7 +3858,7 @@ 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 +62,{0} items produced,{0} item diproduksi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3856,7 +3872,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Klaim Beban (via Be 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} DocType: Journal Entry Account,Exchange Rate,Nilai Tukar -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3881,18 +3897,18 @@ 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 +705,Online,On line +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Membayar Jumlah Tetap per Periode apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Mohon masukkan untuk Item {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Catatan Kredit Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Catatan Kredit Amt DocType: Employee External Work History,Employee External Work History,Karyawan Eksternal Riwayat Pekerjaan DocType: Tax Rule,Purchase,Pembelian apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Jumlah Saldo @@ -3917,7 +3933,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 +2383,Select items to save the invoice,Pilih item untuk menyimpan faktur +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3946,6 +3962,7 @@ DocType: Guardian,Guardian Of ,wali Of DocType: Grading Scale Interval,Threshold,Ambang DocType: BOM Replace Tool,Current BOM,BOM saat ini apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Tambahkan Nomor Serial +DocType: Production Order Item,Available Qty at Source Warehouse,Tersedia Qty di Gudang Sumber apps/erpnext/erpnext/config/support.py +22,Warranty,Jaminan DocType: Purchase Invoice,Debit Note Issued,Debit Note Ditempatkan DocType: Production Order,Warehouses,Gudang @@ -3961,13 +3978,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Jumlah Dibayar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Manager Project ,Quoted Item Comparison,Dikutip Barang Perbandingan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Pengiriman -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Diskon Max diperbolehkan untuk item: {0} {1}% +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 +279,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 +879,Select Items to Manufacture,Pilih Produk untuk Industri -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"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 @@ -3991,7 +4008,7 @@ DocType: POS Profile,Terms and Conditions,Syarat dan Ketentuan 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 +200,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 +198,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 @@ -4011,7 +4028,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk mengatur Tahun Anggaran ini sebagai Default, klik 'Set as Default'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Ikut apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Kekurangan Jumlah -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama DocType: Employee Loan,Repay from Salary,Membayar dari Gaji DocType: Leave Application,LAP/,PUTARAN/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Meminta pembayaran terhadap {0} {1} untuk jumlah {2} @@ -4029,18 +4046,18 @@ 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 +1011,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial ada {0} telah diterima +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial ada {0} telah diterima ,Requested Items To Be Transferred,Permintaan Produk Akan Ditransfer 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 +1312,Delete permanently?,Hapus secara permanen? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Valid {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Valid {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Cuti Sakit DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Nama Alamat Penagihan @@ -4053,6 +4070,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Dapat Dibebankan DocType: Company,Change Abbreviation,Ubah Singkatan DocType: Expense Claim Detail,Expense Date,Beban Tanggal +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Brand DocType: Item,Max Discount (%),Max Diskon (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Jumlah Order terakhir DocType: Task,Is Milestone,Adalah tonggak @@ -4076,8 +4094,8 @@ DocType: Program Enrollment Tool,New Program,Program baru DocType: Item Attribute Value,Attribute Value,Nilai Atribut ,Itemwise Recommended Reorder Level,Itemwise Rekomendasi Reorder Tingkat DocType: Salary Detail,Salary Detail,Detil gaji -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Silahkan pilih {0} terlebih dahulu -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah berakhir. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Silahkan pilih {0} terlebih dahulu +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah berakhir. DocType: Sales Invoice,Commission,Komisi apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Waktu Lembar untuk manufaktur. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal @@ -4102,12 +4120,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 +399,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 +394,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 +387,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 +382,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 @@ -4137,7 +4155,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,pembuangan Tanggal DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email akan dikirim ke semua Karyawan Aktif perusahaan pada jam tertentu, jika mereka tidak memiliki liburan. Ringkasan tanggapan akan dikirim pada tengah malam." DocType: Employee Leave Approver,Employee Leave Approver,Approver Cuti Karyawan -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat." 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 @@ -4170,6 +4188,7 @@ DocType: Announcement,Student,Mahasiswa apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unit Organisasi (kawasan) menguasai. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Entrikan nos ponsel yang valid apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Entrikan pesan sebelum mengirimnya +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE UNTUK PEMASOK DocType: Email Digest,Pending Quotations,tertunda Kutipan apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Profil Point of Sale apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Silahkan Perbarui Pengaturan SMS @@ -4178,7 +4197,7 @@ DocType: Cost Center,Cost Center Name,Nama Pusat Biaya DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max jam bekerja melawan Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Dijadwalkan Tanggal -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total nilai Bayar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total nilai Bayar DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Pesan lebih dari 160 karakter akan dipecah menjadi beberapa pesan DocType: Purchase Receipt Item,Received and Accepted,Diterima dan Diterima ,GST Itemised Sales Register,Daftar Penjualan Item GST @@ -4188,7 +4207,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 +237,Your Suppliers,Supplier Anda +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',tidak bisa memotong ketika kategori adalah untuk 'Penilaian' atau 'Vaulation dan Total' @@ -4200,7 +4219,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Image {0} melekat Butir {1} tidak dapat ditemukan +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. @@ -4215,7 +4234,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Apa pekerjaa apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Untuk Gudang apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Semua Penerimaan Mahasiswa ,Average Commission Rate,Rata-rata Komisi Tingkat -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Bernomor Urut' tidak bisa 'dipilih' untuk item non-stok" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Bernomor Urut' tidak bisa 'dipilih' untuk item non-stok" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Kehadiran tidak dapat ditandai untuk tanggal masa depan DocType: Pricing Rule,Pricing Rule Help,Aturan Harga Bantuan DocType: School House,House Name,Nama rumah @@ -4231,7 +4250,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 +339,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 +340,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 @@ -4246,20 +4265,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji karyawan {0} sudah dibuat untuk daftar absen {1} DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,Qty Terorder -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Item {0} dinonaktifkan +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Buat Slip Gaji -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Membeli harus dicentang, jika ""Berlaku Untuk"" dipilih sebagai {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Membeli harus dicentang, jika ""Berlaku Untuk"" dipilih sebagai {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Diskon harus kurang dari 100 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 +500,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Landing Cost @@ -4319,7 +4338,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Diharapkan Tanggal tidak bisa sebelum Material Request Tanggal DocType: Purchase Invoice Item,Stock Qty,Stock Qty -DocType: Production Order,Source Warehouse (for reserving Items),Sumber Gudang (untuk pemesanan Produk) DocType: Employee Loan,Repayment Period in Months,Periode pembayaran di Bulan apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Kesalahan: Tidak id valid? DocType: Naming Series,Update Series Number,Pembaruan Series Number @@ -4367,7 +4385,7 @@ DocType: Production Order,Planned End Date,Tanggal Akhir Planning apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Dimana Item Disimpan DocType: Request for Quotation,Supplier Detail,pemasok Detil apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Kesalahan dalam rumus atau kondisi: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Nilai Tertagih Faktur +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Nilai Tertagih Faktur DocType: Attendance,Attendance,Absensi apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stock Items DocType: BOM,Materials,Material/Barang @@ -4407,10 +4425,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup website sederhana untuk organisasi saya +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0} DocType: Item,Default Warehouse,Standar Gudang apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Anggaran tidak dapat diberikan terhadap Account Group {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Entrikan pusat biaya orang tua @@ -4469,7 +4487,7 @@ 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 +1344,Select or add new customer,Pilih atau menambahkan pelanggan baru +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/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 @@ -4477,6 +4495,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,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/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/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 +231,{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. @@ -4499,7 +4518,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4519,7 +4538,7 @@ DocType: POS Profile,Account for Change Amount,Akun untuk Perubahan Jumlah apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partai / Rekening tidak sesuai dengan {1} / {2} di {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Masukan Entrikan Beban Akun DocType: Account,Stock,Stock -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Purchase Order, Faktur Pembelian atau Journal Entri" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Purchase Order, Faktur Pembelian atau Journal Entri" DocType: Employee,Current Address,Alamat saat ini DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jika item adalah varian dari item lain maka deskripsi, gambar, harga, pajak dll akan ditetapkan dari template kecuali secara eksplisit ditentukan" DocType: Serial No,Purchase / Manufacture Details,Detail Pembelian / Produksi @@ -4557,11 +4576,12 @@ DocType: Student,Home Address,Alamat rumah apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,pengalihan Aset DocType: POS Profile,POS Profile,POS Profil DocType: Training Event,Event Name,Nama acara -apps/erpnext/erpnext/config/schools.py +39,Admission,Penerimaan +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Penerimaan apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Penerimaan untuk {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} adalah template, silahkan pilih salah satu variannya" DocType: Asset,Asset Category,Aset Kategori +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Pembeli apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Gaji bersih yang belum dapat negatif DocType: SMS Settings,Static Parameters,Parameter Statis DocType: Assessment Plan,Room,Kamar @@ -4570,6 +4590,7 @@ DocType: Item,Item Tax,Pajak Stok Barang apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Bahan untuk Supplier apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah DocType: Expense Claim,Employees Email Id,Karyawan Email Id DocType: Employee Attendance Tool,Marked Attendance,Absensi Terdaftar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Piutang Lancar @@ -4641,6 +4662,7 @@ DocType: Leave Type,Is Carry Forward,Apakah Carry Teruskan apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Summary diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv index dfd98c9d03..bf68f985c5 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Holiday List -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,endurskoðandi +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,endurskoðandi DocType: Cost Center,Stock User,Stock User DocType: Company,Phone No,Sími nei apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Course Skrár búið: @@ -110,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} 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ekki leyft {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Fá atriði úr -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +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/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 +131,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 +1673,Not items found,Ekki atriði fundust +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,lager Skýrslur DocType: Warehouse,Warehouse Detail,Warehouse Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Hámarksupphæð hefur verið yfir fyrir viðskiptavin {0} {1} / {2} 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.,Hugtakið Lokadagur getur ekki verið síðar en árslok Dagsetning skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Frá {0} til {1} DocType: Item,Copy From Item Group,Afrita Frá Item Group DocType: Journal Entry,Opening Entry,opnun Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Reikningur Pay Aðeins DocType: Employee Loan,Repay Over Number of Periods,Endurgreiða yfir fjölda tímum DocType: Stock Entry,Additional Costs,viðbótarkostnað @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Fasteign -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Reikningsyfirlit +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 DocType: Purchase Invoice Item,Is Fixed Asset,Er fast eign apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Laus Magn er {0}, þú þarft {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,einnota +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -211,12 +211,12 @@ 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 +143,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 +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. 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 +302,Example: Basic Mathematics,Dæmi: Basic stærðfræði +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/config/hr.py +214,Settings for HR Module,Stillingar fyrir HR Module DocType: SMS Center,SMS Center,SMS Center @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Atriði og Verðlagning apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Total hours: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Frá Dagsetning ætti að vera innan fjárhagsársins. Að því gefnu Frá Dagsetning = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Tilvitnanir DocType: Customer,Individual,einstök DocType: Interest,Academics User,fræðimenn User DocType: Cheque Print Template,Amount In Figure,Upphæð Á mynd @@ -264,7 +265,7 @@ DocType: Employee,Create User,Búa til notanda DocType: Selling Settings,Default Territory,Sjálfgefið Territory apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Sjónvarp DocType: Production Order Operation,Updated via 'Time Log',Uppfært með 'Time Innskráning " -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Fyrirfram upphæð getur ekki verið meiri en {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Fyrirfram upphæð getur ekki verið meiri en {0} {1} DocType: Naming Series,Series List for this Transaction,Series List fyrir þessa færslu DocType: Company,Enable Perpetual Inventory,Virkja ævarandi birgða DocType: Company,Default Payroll Payable Account,Default Launaskrá Greiðist Reikningur @@ -272,7 +273,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 +177,For Warehouse is required before Submit,Fyrir Lager er krafist áður Senda +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/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. @@ -280,13 +281,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 +2256,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nafn tengiliðar +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Létta Dagsetning verður að vera hærri en Dagsetning Tengja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Leaves á ári 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 +189,Warehouse {0} does not belong to company {1},Warehouse {0} ekki tilheyra félaginu {1} +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Árleg DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sættir Item @@ -314,7 +315,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 +316,People who teach at your organisation,Fólk sem kenna í fyrirtæki þínu +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,Leyfa notanda að breyta Meta 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 +699,Item {0} is cancelled,Liður {0} er hætt +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 +882,Material Request,efni Beiðni DocType: Bank Reconciliation,Update Clearance Date,Uppfæra Úthreinsun Dagsetning DocType: Item,Purchase Details,kaup Upplýsingar @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} slá inn tvisvar í lið Tax +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} slá inn tvisvar í lið Tax apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Samantekt fyrir þessa viku og bið starfsemi DocType: Student Applicant,Admitted,viðurkenndi DocType: Workstation,Rent Cost,Rent Kostnaður @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% móttekin apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Búa Student Hópar apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Skipulag þegar lokið !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Lánshæð upphæð +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Lánshæð upphæð ,Finished Goods,fullunnum DocType: Delivery Note,Instructions,leiðbeiningar DocType: Quality Inspection,Inspected By,skoðað með @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,Búa til nýja viðskiptavini +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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/utilities/activation.py +88,Create Purchase Orders,Búa innkaupapantana ,Purchase Register,kaup Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,7 +470,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 +330,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 +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 á -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Eiginleiki {0} valin mörgum sinnum í eigindum töflu +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Eiginleiki {0} valin mörgum sinnum í eigindum töflu DocType: HR Settings,Employee record is created using selected field. ,Starfsmaður færsla er búin til með völdu sviði. DocType: Sales Order,Not Applicable,Á ekki við apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday skipstjóri. @@ -523,7 +525,7 @@ 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 +219,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 +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/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" @@ -537,7 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Vinsamlegast sláðu Warehouse sem efni Beiðni verði hækkað DocType: Production Order,Additional Operating Cost,Viðbótarupplýsingar rekstrarkostnaður apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,snyrtivörur -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Að sameinast, eftirfarandi eiginleika verða að vera það sama fyrir bæði atriði" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Að sameinast, eftirfarandi eiginleika verða að vera það sama fyrir bæði atriði" DocType: Shipping Rule,Net Weight,Net Weight DocType: Employee,Emergency Phone,Neyðarnúmer Sími apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,kaupa @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Bæta við / breyta sköttum og gjöldum DocType: Purchase Invoice,Supplier Invoice No,Birgir Reikningur nr DocType: Territory,For reference,til viðmiðunar -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Ekki hægt að eyða Serial Nei {0}, eins og það er notað í lager viðskiptum" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Ekki hægt að eyða Serial Nei {0}, eins og það er notað í lager viðskiptum" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Lokun (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,færa Item DocType: Serial No,Warranty Period (Days),Ábyrgðartímabilið (dagar) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vinsamlegast veldu Company og Party Gerð fyrst apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financial / bókhald ári. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Uppsafnaður Gildi -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Því miður, Serial Nos ekki hægt sameinuð" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Því miður, Serial Nos ekki hægt sameinuð" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Gera Velta Order DocType: Project Task,Project Task,Project Task ,Lead Id,Lead Id @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,úthluta apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,velta Return 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,Ath: Samtals úthlutað leyfi {0} ætti ekki að vera minna en þegar hafa verið samþykktar leyfi {1} fyrir tímabilið +,Total Stock Summary,Samtals yfirlit yfir lager DocType: Announcement,Posted By,Posted By DocType: Item,Delivered by Supplier (Drop Ship),Samþykkt með Birgir (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Gagnagrunnur hugsanlegra viðskiptavina. @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Viðskiptavinur ga DocType: Quotation,Quotation To,Tilvitnun Til DocType: Lead,Middle Income,Middle Tekjur apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Mælieiningin fyrir lið {0} Ekki er hægt að breyta beint vegna þess að þú hefur nú þegar gert nokkrar viðskiptin (s) með öðru UOM. Þú þarft að búa til nýjan hlut til að nota aðra Sjálfgefin UOM. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Mælieiningin fyrir lið {0} Ekki er hægt að breyta beint vegna þess að þú hefur nú þegar gert nokkrar viðskiptin (s) með öðru UOM. Þú þarft að búa til nýjan hlut til að nota aðra Sjálfgefin UOM. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Úthlutað magn getur ekki verið neikvæð apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vinsamlegast settu fyrirtækið DocType: Purchase Order Item,Billed Amt,billed Amt @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Hámarks Mat Einkunn apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update viðskipta banka Dagsetningar apps/erpnext/erpnext/config/projects.py +30,Time Tracking,tími mælingar +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,LYFJAFYRIR FYRIRTÆKJA DocType: Fiscal Year Company,Fiscal Year Company,Reikningsár Company DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,Ráðstefna @@ -674,8 +678,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 +320,Timesheet created:,Timesheet búið: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -704,7 +708,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 +139,Finish,Ljúka +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Ljúka apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Base DocType: Timesheet,Total Billed Hours,Samtals Greidd Hours DocType: Journal Entry,Write Off Amount,Skrifaðu Off Upphæð @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,Seljandi City ,Absent Student Report,Absent Student Report DocType: Email Digest,Next email will be sent on:,Næst verður send í tölvupósti á: DocType: Offer Letter Term,Offer Letter Term,Tilboð Letter Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Liður hefur afbrigði. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Liður hefur afbrigði. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Liður {0} fannst ekki DocType: Bin,Stock Value,Stock Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Fyrirtæki {0} er ekki til @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,gera timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ DocType: Company,Default Cost of Goods Sold Account,Default Kostnaðarverð seld apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Verðskrá ekki valið DocType: Employee,Family Background,Family Background DocType: Request for Quotation Supplier,Send Email,Senda tölvupóst -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Viðvörun: Ógild Attachment {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,engin heimild +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Viðvörun: Ógild Attachment {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,engin heimild 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 +269,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -852,7 +856,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 +274,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 +275,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 @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} verður að vera virkt +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Nei {0} ekki tilheyra lið {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial Nei {0} ekki tilheyra lið {1} DocType: Purchase Receipt Item Supplied,Required Qty,Required Magn apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í höfuðbók. DocType: Bank Reconciliation,Total Amount,Heildarupphæð @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Hluti apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vinsamlegast sláðu eignaflokki í lið {0} DocType: Quality Inspection Reading,Reading 6,lestur 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Get ekki {0} {1} {2} án neikvætt framúrskarandi Reikningar +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Get ekki {0} {1} {2} án neikvætt framúrskarandi Reikningar DocType: Purchase Invoice Advance,Purchase Invoice Advance,Kaupa Reikningar Advance DocType: Hub Settings,Sync Now,Sync Nú apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit færslu er ekki hægt að tengja með {1} @@ -978,12 +982,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 +731,New Sales Invoice,Nýr reikningur +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Reikningar +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemical DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Cash reikningur verður sjálfkrafa uppfærð í laun dagbókarfærslu þegar þessi háttur er valinn. DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kostnaður (Company Gjaldmiðill) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Allir hlutir hafa þegar verið flutt í þessari framleiðslu Order. +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 +270,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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ð @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð +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æð 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æð @@ -1048,7 +1052,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 +259,Qty for {0},Magn {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Cash / Bank Account apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tilgreindu {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Fjarlægðar atriði með engin breyting á magni eða verðmæti. DocType: Delivery Note,Delivery To,Afhending Til -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Eiginleiki borð er nauðsynlegur +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Eiginleiki borð er nauðsynlegur DocType: Production Planning Tool,Get Sales Orders,Fá sölu skipunum -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} er ekki hægt að neikvæð +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} er ekki hægt að neikvæð apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,afsláttur DocType: Asset,Total Number of Depreciations,Heildarfjöldi Afskriftir DocType: Sales Invoice Item,Rate With Margin,Meta með skák @@ -1098,7 +1102,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 +1546,ZIP Code,Póstnúmer +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1116,7 +1120,7 @@ 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 +238,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 +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/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 @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Vinsamlegast settu 'Virkja Viðbótarupplýsingar afslátt' +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 DocType: Global Defaults,Global Defaults,Global Vanskil @@ -1148,10 +1152,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 +22,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 +23,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 +347,Capacity Planning Error,Getu Planning Villa +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,er aftur apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} gild raðnúmer nos fyrir lið {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gild raðnúmer nos fyrir lið {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Item Code er ekki hægt að breyta fyrir Raðnúmer apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} þegar búin að notanda: {1} og fyrirtæki {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM viðskipta Factor @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',Kostnaður Center For lið með Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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. 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" @@ -1221,7 +1225,7 @@ 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,Skoða Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Item {0} getur ekki Hópur @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Velta Order {0} er ekki gilt +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/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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Útgáfustaður apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Samningur DocType: Email Digest,Add Quote,Bæta Quote -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion þáttur sem þarf til UOM: {0} í lið: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion þáttur sem þarf til UOM: {0} í lið: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vörur eða þjónustu +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 DocType: Mode of Payment,Mode of Payment,Háttur á greiðslu -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Þetta er rót atriði hóp og ekki hægt að breyta. @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Framleiðsla Order staðan er {0} DocType: Appraisal Goal,Goal,Markmið DocType: Sales Invoice Item,Edit Description,Breyta Lýsing ,Team Updates,Team uppfærslur @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnið vöruhús er til fyrir þetta vöruhús. Þú getur ekki eytt þessari vöruhús. 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 +177,Serial number {0} entered more than once,Raðnúmer {0} inn oftar en einu sinni +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 +78,{0} items in progress,{0} atriði í gangi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Stígvél 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,7 +1405,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,Sendingar Address Nafn apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Mynd reikninga DocType: Material Request,Terms and Conditions Content,Skilmálar og skilyrði Content apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,getur ekki verið meiri en 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Liður {0} er ekki birgðir Item +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Liður {0} er ekki birgðir Item DocType: Maintenance Visit,Unscheduled,unscheduled DocType: Employee,Owned,eigu DocType: Salary Detail,Depends on Leave Without Pay,Fer um leyfi án launa @@ -1444,7 +1446,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 +273,We buy this Item,Við þurfum að kaupa þessa vöru +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1455,7 +1457,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 +266,Sub Assemblies,Sub þing +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub þing DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,verkefni Þyngd DocType: Shipping Rule Condition,To Value,til Value @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Engar færslur finnast í Greiðsla töflunni apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Þessi {0} átök með {1} fyrir {2} {3} DocType: Student Attendance Tool,Students HTML,nemendur HTML DocType: POS Profile,Apply Discount,gilda Afsláttur -DocType: Purchase Invoice Item,GST HSN Code,GST HSN kóða +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 +283,Packing Slip(s) cancelled,Pökkun Slip (s) Hætt @@ -1536,8 +1538,8 @@ 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 +2573,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 +269,Box,Box +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 +873,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 @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,endurgreiðsla Aðferð DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Ef valið þá Heimasíða verður sjálfgefið Item Group fyrir vefsvæðið DocType: Quality Inspection Reading,Reading 4,lestur 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Sjálfgefin BOM fyrir {0} ekki að finna fyrir Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Kröfur fyrir VÍS. 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,nýtt verkefni apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,gera Tilvitnun apps/erpnext/erpnext/config/selling.py +216,Other Reports,aðrar skýrslur DocType: Dependent Task,Dependent Task,Dependent Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Breytistuðull fyrir sjálfgefið Mælieiningin skal vera 1 í röðinni {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Breytistuðull fyrir sjálfgefið Mælieiningin skal vera 1 í röðinni {0} 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} DocType: SMS Center,Receiver List,Receiver List -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,leit Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,þegar lokið +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/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 +263,Quantity must not be more than {0},Magn má ekki vera meira en {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Viðskiptavinur POS-auðkenni DocType: Account,Account Name,Nafn reiknings apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Frá Dagsetning má ekki vera meiri en hingað til -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial Nei {0} magn {1} getur ekki verið brot +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial Nei {0} magn {1} getur ekki verið brot apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Birgir Type húsbóndi. DocType: Purchase Order Item,Supplier Part Number,Birgir Part Number apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Viðskiptahlutfall er ekki hægt að 0 eða 1 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Ökutæki Sending Dagsetning +DocType: Purchase Order 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ð DocType: Company,Default Payable Account,Sjálfgefið Greiðist Reikningur apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Stillingar fyrir online innkaupakörfu ss reglur skipum, verðlista o.fl." @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Fela frí í laufum DocType: Sales Invoice,Packed Items,pakkað Items apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Ábyrgð kröfu gegn Raðnúmer DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",Skipta ákveðna BOM í öllum öðrum BOMs þar sem það er notað. Það mun koma í stað gamla BOM tengilinn uppfæra kostnað og endurnýja "BOM Explosion Item" borð eins og á nýju BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Virkja Shopping Cart DocType: Employee,Permanent Address,Heimilisfang apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ 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ð! DocType: Course Assessment Criteria,Weightage,weightage +DocType: Sales 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 @@ -1720,7 +1723,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Main apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Setja forskeyti fyrir númerakerfi röð á viðskiptum þínum DocType: Employee Attendance Tool,Employees HTML,starfsmenn HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt 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 @@ -1749,7 +1752,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 +175,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 +173,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 @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,Raðnúmer og lotur apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Styrkur nemendahóps apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Gegn Journal Entry {0} hjartarskinn ekki hafa allir ósamþykkt {1} færslu apps/erpnext/erpnext/config/hr.py +137,Appraisals,úttektir -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Afrit Serial Nei slegið í lið {0} +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" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} Leggja skal fram +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,greiðsla @@ -1785,12 +1788,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset Hreyfing -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nýtt körfu +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Fá atriði úr Purchase Kvittanir DocType: Serial No,Creation Date,Creation Date apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Liður {0} birtist mörgum sinnum á verðskrá {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Selja verður að vera merkt, ef við á er valið sem {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Selja verður að vera merkt, ef við á er valið sem {0}" DocType: Production Plan Material Request,Material Request Date,Efni Beiðni Dagsetning DocType: Purchase Order Item,Supplier Quotation Item,Birgir Tilvitnun Item DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Slekkur sköpun tíma logs gegn Production Orders. Reksturinn skal ekki raktar gegn Production Order @@ -1832,12 +1835,12 @@ 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ð DocType: Budget,Budget,Budget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fast Asset Item verður a non-birgðir atriði. +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 +209,e.g. 5,td 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1846,7 +1849,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,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 +263,A Product or Service,Vörur eða þjónusta +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1919,7 +1922,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,pair +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,pair apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1938,10 +1941,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Raunveruleg End Date (með Time Sheet) 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 +160,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 +342,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning +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 DocType: Shipping Rule Condition,Shipping Amount,Sendingar Upphæð -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Bæta við viðskiptavinum +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1958,6 +1961,7 @@ DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur ,Supplier-Wise Sales Analytics,Birgir-Wise Sales Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Sláðu greitt upphæð DocType: Salary Structure,Select employees for current Salary Structure,Valið starfsmenn líðandi laun uppbyggingu +DocType: Sales Invoice,Company Address Name,Nafn fyrirtækis fyrirtækis 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)" @@ -1977,7 +1981,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 +269,Unit,Unit +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -1998,7 +2002,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,upphæð Mismunur @@ -2007,7 +2011,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Flokkun viðskiptavina eftir svæðum apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Munurinn Upphæð verður að vera núll DocType: Project,Gross Margin,Heildarframlegð -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Vinsamlegast sláðu Production Item fyrst +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 +748,Quotation,Tilvitnun @@ -2019,7 +2023,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Viðskiptavinur / Lead Address -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Viðvörun: Ógild SSL vottorð á viðhengi {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Viðvörun: Ógild SSL vottorð á viðhengi {0} DocType: Student Admission,Eligibility,hæfi apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leiðir hjálpa þér að fá fyrirtæki, bæta alla tengiliði þína og fleiri sem leiðir þínar" DocType: Production Order Operation,Actual Operation Time,Raunveruleg Operation Time @@ -2038,11 +2042,11 @@ DocType: Appraisal,Calculate Total Score,Reikna aðaleinkunn DocType: Request for Quotation,Manufacturing Manager,framleiðsla Manager apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Nei {0} er undir ábyrgð uppí {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Afhending Note í pakka. -apps/erpnext/erpnext/hooks.py +87,Shipments,sendingar +apps/erpnext/erpnext/hooks.py +94,Shipments,sendingar DocType: Payment Entry,Total Allocated Amount (Company Currency),Total úthlutað magn (Company Gjaldmiðill) DocType: Purchase Order Item,To be delivered to customer,Til að vera frelsari til viðskiptavina DocType: BOM,Scrap Material Cost,Rusl efniskostnaði -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial Nei {0} er ekki tilheyra neinum Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial Nei {0} er ekki tilheyra neinum Warehouse DocType: Purchase Invoice,In Words (Company Currency),Í orðum (Company Gjaldmiðill) DocType: Asset,Supplier,birgir DocType: C-Form,Quarter,Quarter @@ -2056,11 +2060,10 @@ DocType: Employee Loan,Employee Loan Account,Starfsmaður Lán Reikningur DocType: Leave Application,Total Leave Days,Samtals leyfisdaga DocType: Email Digest,Note: Email will not be sent to disabled users,Ath: Email verður ekki send til fatlaðra notenda apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Fjöldi samskipta -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/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 +408,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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öð" @@ -2102,7 +2105,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Expense Krafa Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vinsamlegast veldu réttan reikning +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE FOR SUPPLIER +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Vinsamlegast veldu réttan reikning DocType: Item,Weight UOM,þyngd UOM DocType: Salary Structure Employee,Salary Structure Employee,Laun Uppbygging Starfsmaður DocType: Employee,Blood Group,Blóðflokkur @@ -2124,7 +2128,7 @@ DocType: Student,Guardians,forráðamenn 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 +336,Debit To is required,Skuldfærslu Til er krafist +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2137,7 +2141,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Samtals Ógreitt: DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Tilboðsbréf apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Búa Efni Beiðnir (MRP) og framleiðsla pantanir. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Alls reikningsfærð Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Alls reikningsfærð Amt DocType: BOM,Conversion Rate,Viðskiptahlutfallsbil apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Vöruleit DocType: Timesheet Detail,To Time,til Time @@ -2151,7 +2155,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial Numbers krafist fyrir lið {1}. Þú hefur veitt {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial Numbers krafist fyrir lið {1}. Þú hefur veitt {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Núverandi Verðmat Rate DocType: Item,Customer Item Codes,Viðskiptavinur Item Codes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Gengishagnaður / tap @@ -2198,7 +2202,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 +2454,Select Batch No,Veldu lotu nr +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2222,19 +2226,19 @@ DocType: Leave Block List,Allow Users,leyfa notendum DocType: Purchase Order,Customer Mobile No,Viðskiptavinur Mobile Nei DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track sérstakt Vaxtatekjur og vaxtagjöld fyrir Þrep vöru eða deildum. DocType: Rename Tool,Rename Tool,endurnefna Tól -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Uppfæra Kostnaður +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 +438,Show Salary Slip,Sýna Laun Slip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Veldu breyting upphæð reiknings +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Bæta Skattar +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2245,6 +2249,7 @@ DocType: Stock Entry,Purchase Receipt No,Kvittun Nei apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money DocType: Process Payroll,Create Salary Slip,Búa Laun Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,rekjanleiki +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC kóða 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 @@ -2274,7 +2279,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Viðhald Dagskrá Detail DocType: Quality Inspection Reading,Reading 9,lestur 9 DocType: Supplier,Is Frozen,er frosinn -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Group hnút vöruhús er ekki leyft að velja fyrir viðskipti +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Group hnút vöruhús er ekki leyft að velja fyrir viðskipti DocType: Buying Settings,Buying Settings,Kaup Stillingar DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Nei fyrir Finished Good Item DocType: Upload Attendance,Attendance To Date,Aðsókn að Dagsetning @@ -2289,13 +2294,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Þú getur ekki breytt hlutfall ef BOM getið agianst hvaða atriði +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vinsamlegast sláðu Planned Magn fyrir lið {0} á röð {1} @@ -2317,7 +2322,7 @@ DocType: Authorization Rule,Authorized Value,Leyft Value DocType: BOM,Show Operations,Sýna Aðgerðir ,Minutes to First Response for Opportunity,Mínútur til First Response fyrir Tækifæri apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,alls Absent -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Liður eða Warehouse fyrir röð {0} passar ekki Material Beiðni +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Liður eða Warehouse fyrir röð {0} passar ekki Material Beiðni apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mælieining DocType: Fiscal Year,Year End Date,Ár Lokadagur DocType: Task Depends On,Task Depends On,Verkefni veltur á @@ -2388,7 +2393,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 +106,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 +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/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 @@ -2484,9 +2489,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,kostnaður Center apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,skírteini # DocType: Notification Control,Purchase Order Message,Purchase Order skilaboð @@ -2502,7 +2507,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 +1165,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 +1086,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 +773,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 @@ -2521,7 +2526,7 @@ DocType: Project,Task Completion,verkefni Lokið apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ekki til á lager DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Skattar og gjöld Frá -apps/erpnext/erpnext/hooks.py +116,Issues,Vandamál +apps/erpnext/erpnext/hooks.py +124,Issues,Vandamál apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Staða verður að vera einn af {0} DocType: Sales Invoice,Debit To,debet Til DocType: Delivery Note,Required only for sample item.,Aðeins nauðsynlegt fyrir sýnishorn hlut. @@ -2550,6 +2555,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territory apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vinsamlegast nefna engin heimsókna krafist DocType: Stock Settings,Default Valuation Method,Sjálfgefið Verðmatsaðferð +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Gjald DocType: Vehicle Log,Fuel Qty,eldsneyti Magn DocType: Production Order Operation,Planned Start Time,Planned Start Time DocType: Course,Assessment,mat @@ -2559,12 +2565,12 @@ 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 +149,Quotation {0} is cancelled,Tilvitnun {0} er hætt -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Heildarstöðu útistandandi +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Öll sala Viðskipti má tagged móti mörgum ** sölufólk ** þannig að þú getur sett og fylgjast markmið. ,S.O. No.,SO nr -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Vinsamlegast búa til viðskiptavina frá Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Vinsamlegast búa til viðskiptavina frá Lead {0} DocType: Price List,Applicable for Countries,Gildir fyrir löndum apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Aðeins Skildu Umsóknir með stöðu "Samþykkt" og "Hafnað 'er hægt að skila apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Group Name er skylda í röð {0} @@ -2601,6 +2607,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/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æð @@ -2643,8 +2650,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Efni Transfer fyrir Framl 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.,Afsláttur Hlutfall hægt að beita annaðhvort á móti verðskrá eða fyrir alla verðlista. DocType: Purchase Invoice,Half-yearly,Hálfsárs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Bókhalds Færsla fyrir Lager +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Þú hefur nú þegar metið mat á viðmiðunum {}. DocType: Vehicle Service,Engine Oil,Vélarolía -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: Sales Invoice,Sales Team1,velta TEAM1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Liður {0} er ekki til DocType: Sales Invoice,Customer Address,viðskiptavinur Address @@ -2672,7 +2679,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Lögaðili / Dótturfélag með sérstakri Mynd af reikninga tilheyra stofnuninni. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Matur, drykkir og Tobacco" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,hlutfall Framkvæmdastjórnin getur ekki verið meiri en 100 DocType: Stock Entry,Subcontract,undirverktaka apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Vinsamlegast sláðu inn {0} fyrst @@ -2700,7 +2707,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Monthly Aðsókn Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Starfsmaður {0} hefur þegar sótt um {1} milli {2} og {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project Start Date -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,þangað +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,þangað DocType: Rename Tool,Rename Log,endurnefna Innskráning apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Nemandi hópur eða námskeiði er skylt DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Halda Innheimtustillingar Hours og vinnutími sama á tímaskráningar @@ -2724,7 +2731,7 @@ DocType: Purchase Order Item,Returned Qty,Kominn Magn DocType: Employee,Exit,Hætta apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type er nauðsynlegur DocType: BOM,Total Cost(Company Currency),Total Cost (Company Gjaldmiðill) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial Nei {0} búin +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial Nei {0} búin DocType: Homepage,Company Description for website homepage,Fyrirtæki Lýsing á heimasíðu heimasíðuna DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Fyrir þægindi viðskiptavina, þessi númer er hægt að nota á prenti sniðum eins reikninga og sending minnismiða" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name @@ -2744,7 +2751,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Course Skrár eytt: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs fyrir að viðhalda SMS-sendingar stöðu DocType: Accounts Settings,Make Payment via Journal Entry,Greiða í gegnum dagbókarfærslu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Prentað á +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Prentað á DocType: Item,Inspection Required before Delivery,Skoðun Áskilið fyrir fæðingu DocType: Item,Inspection Required before Purchase,Skoðun Áskilið áður en kaupin apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,bið Starfsemi @@ -2776,9 +2783,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Hó apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed 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.,An fræðihugtak með þessu "skólaárinu '{0} og' Term Name '{1} er þegar til. Vinsamlegast breyttu þessum færslum og reyndu aftur. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Eins og það eru núverandi reiðufé gegn færslu {0} er ekki hægt að breyta gildi {1} +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}",Eins og það eru núverandi reiðufé gegn færslu {0} er ekki hægt að breyta gildi {1} DocType: UOM,Must be Whole Number,Verður að vera heil tala DocType: Leave Control Panel,New Leaves Allocated (In Days),Ný Leaves Úthlutað (í dögum) +DocType: Sales Invoice,Invoice Copy,Reikningur Afrita apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial Nei {0} er ekki til DocType: Sales Invoice Item,Customer Warehouse (Optional),Viðskiptavinur Warehouse (Valfrjálst) DocType: Pricing Rule,Discount Percentage,afsláttur Hlutfall @@ -2823,8 +2831,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto nálægt Issue efti 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Frysta lager Entries +DocType: Program Enrollment,Boarding Student,Stúdentsprófessor DocType: Asset,Expected Value After Useful Life,Væntanlegur Value Eftir gagnlegur líf DocType: Item,Reorder level based on Warehouse,Uppröðun stigi byggist á Lager DocType: Activity Cost,Billing Rate,Innheimta Rate @@ -2851,11 +2861,11 @@ DocType: Serial No,Warranty / AMC Details,Ábyrgð í / AMC Nánar apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Veldu nemendur handvirkt fyrir hópinn sem byggir á starfsemi DocType: Journal Entry,User Remark,Notandi Athugasemd DocType: Lead,Market Segment,Market Segment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Greiddur Upphæð má ekki vera meiri en heildar neikvæð útistandandi {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Greiddur Upphæð má ekki vera meiri en heildar neikvæð útistandandi {0} DocType: Employee Internal Work History,Employee Internal Work History,Starfsmaður Innri Vinna Saga apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Lokun (Dr) DocType: Cheque Print Template,Cheque Size,ávísun Size -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial Nei {0} ekki til á lager +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial Nei {0} ekki til á lager apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Tax sniðmát til að selja viðskiptum. DocType: Sales Invoice,Write Off Outstanding Amount,Skrifaðu Off Útistandandi fjárhæð apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Reikningur {0} passar ekki við fyrirtæki {1} @@ -2879,7 +2889,7 @@ 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 +348,Add a few sample records,Bæta nokkrum sýnishorn skrár +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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ð @@ -2893,17 +2903,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial Nei og Batch DocType: Warranty Claim,From Company,frá Company -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa skora á mat Criteria þarf að vera {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summa skora á mat Criteria þarf að vera {0}. 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 +270,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2923,7 +2933,7 @@ DocType: Production Order,PRO-,PRO apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Heimildarlás Account apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Gera Laun Slip apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Úthlutað Magn má ekki vera hærra en útistandandi upphæð. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Fletta BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Fletta BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Veðlán DocType: Purchase Invoice,Edit Posting Date and Time,Edit Staða Dagsetning og tími apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vinsamlegast settu Fyrningar tengjast Accounts í eignaflokki {0} eða félaginu {1} @@ -2939,7 +2949,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 +278,Select Quantity,Select Magn +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -2962,6 +2972,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Ekki leyft að uppfæra lager viðskipti eldri en {0} DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Alveg Billed +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Birgir> Birgir Tegund 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 +127,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) @@ -2999,8 +3010,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Total Kosta Magn (með Tim 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ð DocType: Customs Tariff Number,Tariff Number,gjaldskrá Number +DocType: Production Order Item,Available Qty at WIP Warehouse,Laus magn á WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Áætlaðar -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Nei {0} ekki tilheyra Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial Nei {0} ekki tilheyra Warehouse {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,Ath: Kerfi mun ekki stöðva yfir fæðingu og yfir-bókun fyrir lið {0} sem magn eða upphæð er 0 DocType: Notification Control,Quotation Message,Tilvitnun Message DocType: Employee Loan,Employee Loan Application,Starfsmaður lánsumsókn @@ -3018,13 +3030,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landað Kostnaður skírteini Magn apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Víxlar hækkaðir um birgja. DocType: POS Profile,Write Off Account,Skrifaðu Off reikning -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Greiðslubréf Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Greiðslubréf Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,afsláttur Upphæð DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against kaupa Reikningar 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 +207,e.g. VAT,td VSK +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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ð @@ -3032,7 +3044,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 +1945,Please select customer,Vinsamlegast veldu viðskiptavin +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3061,7 +3073,7 @@ DocType: Lead,Address Desc,Heimilisfang karbósýklískan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party er nauðsynlegur DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Topic Name -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast einn af selja eða kaupa verður að vera valinn +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast einn af selja eða kaupa verður að vera valinn apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Veldu eðli rekstrar þíns. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Afrita færslu í tilvísunum {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvar framleiðslu aðgerðir eru gerðar. @@ -3070,7 +3082,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Magn má ekki vera meiri en Max Magn +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 DocType: Account,Accumulated Depreciation,uppsöfnuðum afskriftum DocType: Stock Entry,Customer or Supplier Details,Viðskiptavina eða Birgir Upplýsingar DocType: Employee Loan Application,Required by Date,Krafist af Dagsetning @@ -3099,10 +3111,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Purchase Orde apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nafn fyrirtækis er ekki hægt Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Bréf Heads fyrir prenta sniðmát. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titlar til prenta sniðmát td Próformareikningur. +DocType: Program Enrollment,Walking,Ganga DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Verðmat gerð gjöld geta ekki merkt sem Inclusive DocType: POS Profile,Update Stock,Uppfæra Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Birgir> Birgir Tegund apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Mismunandi UOM að atriðum mun leiða til rangrar (alls) nettóþyngd gildi. Gakktu úr skugga um að nettóþyngd hvern hlut er í sama UOM. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Journal Entry fyrir rusl @@ -3154,7 +3166,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Sýna skattur brjóta upp apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3173,14 +3184,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Sjálfgefið Cash Reikningur apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ekki viðskiptamenn eða birgja) skipstjóri. 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 +176,No Students in,Engar nemendur í +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 +108,Please enter 'Expected Delivery Date',Vinsamlegast sláðu inn 'áætlaðan fæðingardag' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Ógild GSTIN eða Sláðu inn NA fyrir óskráð +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áð DocType: Training Event,Seminar,Seminar DocType: Program Enrollment Fee,Program Enrollment Fee,Program innritunargjöld DocType: Item,Supplier Items,birgir Items @@ -3210,21 +3221,23 @@ DocType: Sales Team,Contribution (%),Framlag (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Ath: Greiðsla Entry verður ekki búið síðan 'Cash eða Bank Account "var ekki tilgreint apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ábyrgð DocType: Expense Claim Account,Expense Claim Account,Expense Krafa Reikningur +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nöfnunarröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð DocType: Sales Person,Sales Person Name,Velta Person Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vinsamlegast sláðu inn atleast 1 reikning í töflunni +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Bæta notendur DocType: POS Item Group,Item Group,Liður Group DocType: Item,Safety Stock,Safety Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% fyrir verkefni getur ekki verið meira en 100. DocType: Stock Reconciliation Item,Before reconciliation,áður sátta apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skattar og gjöld bætt (Company Gjaldmiðill) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Liður Tax Row {0} verður að hafa hliðsjón af tegund skatta eða tekjur eða gjöld eða Skuldfæranlegar +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Liður Tax Row {0} verður að hafa hliðsjón af tegund skatta eða tekjur eða gjöld eða Skuldfæranlegar DocType: Sales Order,Partly Billed,hluta Billed apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Liður {0} verður að vera fast eign Item DocType: Item,Default BOM,Sjálfgefið BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Gengisskuldbinding +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Gengisskuldbinding apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vinsamlega munið gerð nafn fyrirtækis til að staðfesta -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Alls Framúrskarandi Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Alls Framúrskarandi Amt DocType: Journal Entry,Printing Settings,prentun Stillingar DocType: Sales Invoice,Include Payment (POS),Fela Greiðsla (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Alls skuldfærsla verður að vera jöfn Total Credit. Munurinn er {0} @@ -3232,19 +3245,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Tryggingafélag DocType: Asset Category Account,Fixed Asset Account,Fast Asset Reikningur apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variable -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Frá Delivery Note +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Frá Delivery Note DocType: Student,Student Email Address,Student Netfang DocType: Timesheet Detail,From Time,frá Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Á lager: DocType: Notification Control,Custom Message,Custom Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Fyrirtækjaráðgjöf apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Cash eða Bank Account er nauðsynlegur til að gera greiðslu færslu -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Námsmaður Heimilisfang 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 +1517,Address Name,netfang Nafn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3261,7 +3273,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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æð @@ -3269,7 +3281,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Sláðu gildi verður að vera jákvæð +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/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. @@ -3278,7 +3290,7 @@ DocType: Process Payroll,Process Payroll,aðferð Launaskrá apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Það eru fleiri frídagar en vinnudögum þessum mánuði. DocType: Product Bundle Item,Product Bundle Item,Vara Knippi Item DocType: Sales Partner,Sales Partner Name,Heiti Sales Partner -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Beiðni um tilvitnanir +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Beiðni um tilvitnanir DocType: Payment Reconciliation,Maximum Invoice Amount,Hámarks Invoice Amount DocType: Student Language,Student Language,Student Tungumál apps/erpnext/erpnext/config/selling.py +23,Customers,viðskiptavinir @@ -3288,7 +3300,7 @@ DocType: Asset,Partially Depreciated,hluta afskrifaðar DocType: Issue,Opening Time,opnun Time apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Frá og Til dagsetningar krafist apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Verðbréf & hrávöru ungmennaskipti -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture @@ -3306,7 +3318,7 @@ 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 +266,Raw Material,Hrátt efni +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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æð @@ -3318,7 +3330,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Opnun Date ætti að vera áður lokadegi -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nöfnunarröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð 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. @@ -3330,8 +3341,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos Áskilið fyrir serialized lið {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Gildir til (Tilnefning) @@ -3348,7 +3359,7 @@ 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 +270,Hour,klukkustund +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3358,7 +3369,7 @@ 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 +645,Point of Sale,Sölustaður +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3373,8 +3384,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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. @@ -3399,14 +3410,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 +465,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 +466,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 +834,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 +835,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 @@ -3438,7 +3449,7 @@ 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 +436,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Innheimta State @@ -3485,7 +3496,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Stillingar fyrir heimasíðu heimasíðuna 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 +214,Invalid attribute {0} {1},Ógild eiginleiki {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vinsamlegast veldu matshópinn annað en 'Öll matshópa' @@ -3583,16 +3594,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,laun Hluti DocType: Program Enrollment Tool,New Academic Year,Nýtt skólaár apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note DocType: Stock Settings,Auto insert Price List rate if missing,Auto innskotið Verðlisti hlutfall ef vantar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Samtals greitt upphæð +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Samtals greitt upphæð DocType: Production Order Item,Transferred Qty,flutt Magn apps/erpnext/erpnext/config/learn.py +11,Navigating,siglingar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,áætlanagerð 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 +272,We sell this Item,Við seljum þennan Item +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3640,7 +3653,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 +1186,Please set Company,Vinsamlegast settu fyrirtækið +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 á @@ -3656,13 +3669,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,Í orð 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 DocType: Attendance,ATT-,viðhorfin -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Strikamerki {0} nú þegar notuð í lið {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Strikamerki {0} nú þegar notuð í lið {1} DocType: Lead,Add to calendar on this date,Bæta við dagatal á þessum degi apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglur til að bæta sendingarkostnað. DocType: Item,Opening Stock,opnun Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Viðskiptavinur er krafist apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} er nauðsynlegur fyrir aftur DocType: Purchase Order,To Receive,Til að taka á móti +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Starfsfólk Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,alls Dreifni DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ef þetta er virkt, mun kerfið birta bókhald færslur fyrir birgðum sjálfkrafa." @@ -3673,7 +3687,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 +541,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry +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 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 @@ -3681,7 +3695,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Út ábyrgðar DocType: BOM Replace Tool,Replace,Skipta apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Engar vörur fundust. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} gegn sölureikningi {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,nafn verkefnis @@ -3692,6 +3705,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} 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 @@ -3728,9 +3742,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,frá Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Málskipanarvilla í formúlu eða ástandi: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Work Yfirlit Stillingar Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Liður {0} hunsuð þar sem það er ekki birgðir atriði +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 +40,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 +102,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 @@ -3738,12 +3752,14 @@ 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 +209,Rate (%),Hlutfall (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Vinsamlegast stilltu Fyrirtæki sía eyða ef Group By er 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Staða Dagsetning má ekki vera liðinn apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} passar ekki við {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Kjóll Leave @@ -3772,7 +3788,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,reikninga Stillingar apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,samþykkja DocType: Customer,Sales Partner and Commission,Velta Partner og framkvæmdastjórnarinnar @@ -3787,7 +3803,7 @@ 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 +62,{0} items produced,{0} atriði framleitt +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3801,7 +3817,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Krafa (með 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} DocType: Journal Entry Account,Exchange Rate,Exchange Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3826,18 +3842,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Endurgreiða Föst upphæð á hvern Tímabil apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vinsamlegast sláðu inn magn fyrir lið {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Lánshæfiseinkunn Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Lánshæfiseinkunn Amt DocType: Employee External Work History,Employee External Work History,Starfsmaður Ytri Vinna Saga DocType: Tax Rule,Purchase,kaup apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Magn @@ -3862,7 +3878,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 +2383,Select items to save the invoice,Veldu atriði til að bjarga reikning +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3891,6 +3907,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,þröskuldur DocType: BOM Replace Tool,Current BOM,Núverandi BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Bæta Serial Nei +DocType: Production Order Item,Available Qty at Source Warehouse,Laus magn í Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Ábyrgð í DocType: Purchase Invoice,Debit Note Issued,Debet Note Útgefið DocType: Production Order,Warehouses,Vöruhús @@ -3906,13 +3923,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Greidd upphæ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Verkefnastjóri ,Quoted Item Comparison,Vitnað Item Samanburður apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sending -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max afsláttur leyfð lið: {0} er {1}% +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 +279,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 +879,Select Items to Manufacture,Veldu Hlutir til Manufacture -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma" +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" DocType: Item,Material Issue,efni Issue DocType: Hub Settings,Seller Description,Seljandi Lýsing DocType: Employee Education,Qualification,HM @@ -3936,7 +3953,7 @@ DocType: POS Profile,Terms and Conditions,Skilmálar og skilyrði 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 +200,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 +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 DocType: Employee Loan,Disbursement Date,útgreiðsludagur DocType: Vehicle,Vehicle,ökutæki DocType: Purchase Invoice,In Words,í orðum @@ -3956,7 +3973,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Til að stilla þessa rekstrarárs sem sjálfgefið, smelltu á 'Setja sem sjálfgefið'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Join apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,skortur Magn -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika DocType: Employee Loan,Repay from Salary,Endurgreiða frá Laun DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Biðum greiðslu gegn {0} {1} fyrir upphæð {2} @@ -3974,18 +3991,18 @@ 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 +1011,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial Nei {0} hefur þegar borist +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial Nei {0} hefur þegar borist ,Requested Items To Be Transferred,Umbeðin Items til að flytja 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 +1312,Delete permanently?,Eyða varanlega? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Ógild {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ógild {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Veikindaleyfi DocType: Email Digest,Email Digest,Tölvupóstur Digest DocType: Delivery Note,Billing Address Name,Billing Address Nafn @@ -3998,6 +4015,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,ákæru DocType: Company,Change Abbreviation,Breyta Skammstöfun DocType: Expense Claim Detail,Expense Date,Expense Dagsetning +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki DocType: Item,Max Discount (%),Max Afsláttur (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Síðasta Order Magn DocType: Task,Is Milestone,Er Milestone @@ -4021,8 +4039,8 @@ DocType: Program Enrollment Tool,New Program,ný Program DocType: Item Attribute Value,Attribute Value,eigindi gildi ,Itemwise Recommended Reorder Level,Itemwise Mælt Uppröðun Level DocType: Salary Detail,Salary Detail,laun Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vinsamlegast veldu {0} fyrst -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Hópur {0} af Liður {1} hefur runnið út. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Vinsamlegast veldu {0} fyrst +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Hópur {0} af Liður {1} hefur runnið út. DocType: Sales Invoice,Commission,þóknun apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tími Sheet fyrir framleiðslu. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Samtals @@ -4047,12 +4065,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 +399,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 +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/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 +387,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 +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/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 @@ -4082,7 +4100,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,förgun Dagsetning DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Póstur verður sendur á öllum virkum Starfsmenn félagsins á tilteknu klukkustund, ef þeir hafa ekki frí. Samantekt á svörum verður sent á miðnætti." DocType: Employee Leave Approver,Employee Leave Approver,Starfsmaður Leave samþykkjari -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Get ekki lýst því sem glatast, af því Tilvitnun hefur verið gert." 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 @@ -4115,6 +4133,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organization eining (umdæmi) skipstjóri. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Vinsamlegast sláðu inn gilt farsímanúmer Nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vinsamlegast sláðu inn skilaboð áður en þú sendir +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,LYFJA FOR LEIÐBEININGAR DocType: Email Digest,Pending Quotations,Bíður Tilvitnun apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-af-sölu Profile apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Uppfærðu SMS Settings @@ -4123,7 +4142,7 @@ DocType: Cost Center,Cost Center Name,Kostnaður Center Name DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max vinnutíma gegn Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,áætlunarferðir Dagsetning -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Alls Greiddur Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Alls Greiddur Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Skilaboð meiri en 160 stafir verður skipt í marga skilaboð DocType: Purchase Receipt Item,Received and Accepted,Móttekið og samþykkt ,GST Itemised Sales Register,GST hlutasala @@ -4133,7 +4152,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 +237,Your Suppliers,Birgjar þín +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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' @@ -4145,7 +4164,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Vefsíða Image {0} fylgir tl {1} er ekki hægt að finna +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. @@ -4160,7 +4179,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hvað gerir apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,til Warehouse apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Allir Student Innlagnir ,Average Commission Rate,Meðal framkvæmdastjórnarinnar Rate -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Hefur Serial Nei 'getur ekki verið' Já 'fyrir non-lager lið +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"Hefur Serial Nei 'getur ekki verið' Já 'fyrir non-lager lið apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Aðsókn er ekki hægt að merkja fyrir framtíð dagsetningar DocType: Pricing Rule,Pricing Rule Help,Verðlagning Regla Hjálp DocType: School House,House Name,House Name @@ -4176,7 +4195,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 +339,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 +340,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 @@ -4191,20 +4210,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Laun Slip starfsmanns {0} þegar búið fyrir tíma blaði {1} 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 +683,Item {0} is disabled,Liður {0} er óvirk +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Búa Laun laumar -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kaup verður að vera merkt, ef við á er valið sem {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kaup verður að vera merkt, ef við á er valið sem {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Afsláttur verður að vera minna en 100 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 +500,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Landað Kostnaður Voucher @@ -4263,7 +4282,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Væntanlegur Dagsetning má ekki vera áður Material Beiðni Dagsetning DocType: Purchase Invoice Item,Stock Qty,Fjöldi hluta -DocType: Production Order,Source Warehouse (for reserving Items),Heimild Warehouse (fyrir áskilið Atriði) DocType: Employee Loan,Repayment Period in Months,Lánstími í mánuði apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Villa: Ekki gild id? DocType: Naming Series,Update Series Number,Uppfæra Series Number @@ -4311,7 +4329,7 @@ DocType: Production Order,Planned End Date,Áætlaðir Lokadagur apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Hvar hlutir eru geymdar. DocType: Request for Quotation,Supplier Detail,birgir Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Villa í formúlu eða ástandi: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Upphæð á reikningi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Upphæð á reikningi DocType: Attendance,Attendance,Aðsókn apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,lager vörur DocType: BOM,Materials,efni @@ -4351,10 +4369,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Skipulag einföld vefsíða fyrir fyrirtæki mitt +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 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 +650,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0} DocType: Item,Default Warehouse,Sjálfgefið Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Fjárhagsáætlun er ekki hægt að úthlutað gegn Group reikninginn {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vinsamlegast sláðu foreldri kostnaðarstað @@ -4413,7 +4431,7 @@ 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 +1344,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin +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/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 @@ -4421,6 +4439,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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. @@ -4443,7 +4462,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4463,7 +4482,7 @@ DocType: POS Profile,Account for Change Amount,Reikningur fyrir Change Upphæð apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account passar ekki við {1} / {2} í {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vinsamlegast sláðu inn kostnað reikning DocType: Account,Stock,Stock -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Purchase Order, Purchase Invoice eða Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Purchase Order, Purchase Invoice eða Journal Entry" DocType: Employee,Current Address,Núverandi heimilisfang DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ef hluturinn er afbrigði af annað lið þá lýsingu, mynd, verðlagningu, skatta osfrv sett verður úr sniðmátinu nema skýrt tilgreint" DocType: Serial No,Purchase / Manufacture Details,Kaup / Framleiðsla Upplýsingar @@ -4501,11 +4520,12 @@ DocType: Student,Home Address,Heimilisfangið apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Event Name -apps/erpnext/erpnext/config/schools.py +39,Admission,Aðgangseyrir +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Aðgangseyrir apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Innlagnir fyrir {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",Liður {0} er sniðmát skaltu velja einn af afbrigði hennar DocType: Asset,Asset Category,Asset Flokkur +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,kaupanda apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net borga ekki vera neikvæð DocType: SMS Settings,Static Parameters,Static Parameters DocType: Assessment Plan,Room,Room @@ -4514,6 +4534,7 @@ DocType: Item,Item Tax,Liður Tax apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Efni til Birgir apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory DocType: Expense Claim,Employees Email Id,Starfsmenn Netfang Id DocType: Employee Attendance Tool,Marked Attendance,Marked Aðsókn apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,núverandi Skuldir @@ -4585,6 +4606,7 @@ DocType: Leave Type,Is Carry Forward,Er bera fram apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Yfirlit diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv index 06453cca9c..8e3f5b390b 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 +194,"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 +192,"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 @@ -29,7 +29,7 @@ apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is ba apps/erpnext/erpnext/hub_node/page/hub/hub_body.html +18,No more results.,Nessun altro risultato. apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +34,Legal,legale apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +166,Actual type tax cannot be included in Item rate in row {0},Il tipo di imposta / tassa non può essere inclusa nella tariffa della riga {0} -DocType: Bank Guarantee,Customer,Clienti +DocType: Bank Guarantee,Customer,Cliente DocType: Purchase Receipt Item,Required By,Richiesto da DocType: Delivery Note,Return Against Delivery Note,Di ritorno contro Consegna Nota DocType: Purchase Order,% Billed,% Fatturato @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Elenco vacanza -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Ragioniere +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Ragioniere DocType: Cost Center,Stock User,Utente Giacenze DocType: Company,Phone No,N. di telefono apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Orari corso creato: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Non consentito per {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Ottenere elementi dal -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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,20 +131,21 @@ 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 +1673,Not items found,Non articoli trovati +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 -DocType: Account,Credit,Credit +DocType: Account,Credit,Avere DocType: POS Profile,Write Off Cost Center,Scrivi Off Centro di costo apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","ad esempio, "scuola elementare" o "Università"" apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Reports Magazzino DocType: Warehouse,Warehouse Detail,Dettagli Magazzino apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Limite di credito è stato attraversato per il cliente {0} {1} / {2} 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.,Il Data Terminologia fine non può essere successiva alla data di fine anno dell'anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Da {0} a {1} DocType: Item,Copy From Item Group,Copia da Gruppo Articoli DocType: Journal Entry,Opening Entry,Apertura Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Gruppo cliente> Territorio apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Solo conto pay DocType: Employee Loan,Repay Over Number of Periods,Rimborsare corso Numero di periodi DocType: Stock Entry,Additional Costs,Costi aggiuntivi @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Immobiliare -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Estratto conto +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 DocType: Purchase Invoice Item,Is Fixed Asset,E' un Bene Strumentale apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Disponibile Quantità è {0}, è necessario {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumabile +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -200,7 +200,7 @@ DocType: Period Closing Voucher,Closing Fiscal Year,Chiusura Anno Fiscale apps/erpnext/erpnext/accounts/party.py +350,{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 Target Warehouse +apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Seleziona il Magazzino di Destinazione apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Inserisci il contatto preferito Email DocType: Program Enrollment,School Bus,Scuolabus DocType: Journal Entry,Contra Entry,Contra Entry @@ -211,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Esempio: Matematica di base +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/config/hr.py +214,Settings for HR Module,Impostazioni per il modulo HR DocType: SMS Center,SMS Center,Centro SMS @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Oggetti e prezzi apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Ore totali: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Dalla data deve essere entro l'anno fiscale. Assumendo Dalla Data = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citazioni DocType: Customer,Individual,Individuale DocType: Interest,Academics User,Utenti accademici DocType: Cheque Print Template,Amount In Figure,Importo Nella figura @@ -265,7 +266,7 @@ DocType: Employee,Create User,Creare un utente DocType: Selling Settings,Default Territory,Territorio Predefinito apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,televisione DocType: Production Order Operation,Updated via 'Time Log',Aggiornato con 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},importo anticipato non può essere maggiore di {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},importo anticipato non può essere maggiore di {0} {1} DocType: Naming Series,Series List for this Transaction,Lista Serie per questa transazione DocType: Company,Enable Perpetual Inventory,Abilita inventario perpetuo DocType: Company,Default Payroll Payable Account,Payroll di mora dovuti account @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Prima della conferma inserire per Magazzino +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nome Contatto +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ferie per Anno 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 +189,Warehouse {0} does not belong to company {1},Deposito {0} non appartiene alla società {1} +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 +270,Litre,Litro +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Registrazioni bancarie apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,annuale DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voce Riconciliazione Giacenza @@ -315,7 +316,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 +316,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Consenti all'utente di modifica 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 +699,Item {0} is cancelled,L'articolo {0} è annullato +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 +882,Material Request,Richiesta materiale DocType: Bank Reconciliation,Update Clearance Date,Aggiornare Liquidazione Data DocType: Item,Purchase Details,"Acquisto, i dati" @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Responsabile flotta aziendale apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} inserito due volte in tassazione articolo +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} inserito due volte in tassazione articolo apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Riepilogo per questa settimana e le attività in corso DocType: Student Applicant,Admitted,Ammesso DocType: Workstation,Rent Cost,Affitto Costo @@ -394,7 +395,7 @@ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet DocType: Employee,Company Email,azienda Email DocType: GL Entry,Debit Amount in Account Currency,Importo Debito Account Valuta apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +21,Order Value,Valore dell'ordine -apps/erpnext/erpnext/config/accounts.py +27,Bank/Cash transactions against party or for internal transfer,Transazioni Banca / Cassa solo contro partner o per giroconto +apps/erpnext/erpnext/config/accounts.py +27,Bank/Cash transactions against party or for internal transfer,Transazioni Banca/Cassa solo a favore di partner o per giroconto DocType: Shipping Rule,Valid for Countries,Valido per paesi apps/erpnext/erpnext/stock/doctype/item/item.js +55,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,Questo articolo è un modello e non può essere utilizzato nelle transazioni. Attributi Voce verranno copiate nelle varianti meno che sia impostato 'No Copy' apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,Totale ordine Considerato @@ -417,7 +418,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Ricevuto apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Creazione di gruppi di studenti apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup già completo ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Importo della nota di credito +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Importo della nota di credito ,Finished Goods,Beni finiti DocType: Delivery Note,Instructions,Istruzione DocType: Quality Inspection,Inspected By,Verifica a cura di @@ -443,8 +444,9 @@ 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 +1456,Create a new Customer,Creare un nuovo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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 l'impostazione> Serie di numerazione apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Creare ordini d'acquisto ,Purchase Register,Registro Acquisti DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -469,7 +471,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 +330,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 +361,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 @@ -489,7 +491,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte in Attributi Tabella +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte in Attributi Tabella DocType: HR Settings,Employee record is created using selected field. ,Record dipendente viene creato utilizzando campo selezionato. DocType: Sales Order,Not Applicable,Non Applicabile apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Vacanza principale. @@ -524,7 +526,7 @@ 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 +219,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 +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/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" @@ -538,7 +540,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Inserisci il Magazzino per cui Materiale richiesta sarà sollevata DocType: Production Order,Additional Operating Cost,Ulteriori costi di esercizio apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,cosmetici -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci" DocType: Shipping Rule,Net Weight,Peso netto DocType: Employee,Emergency Phone,Telefono di emergenza apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Acquistare @@ -547,7 +549,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 +2428,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -566,7 +568,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Aggiungere / Modificare tasse e ricarichi DocType: Purchase Invoice,Supplier Invoice No,Fattura Fornitore N° DocType: Territory,For reference,Per riferimento -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Impossibile eliminare N. di serie {0}, come si usa in transazioni di borsa" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Impossibile eliminare N. di serie {0}, come si usa in transazioni di borsa" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Chiusura (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Sposta elemento DocType: Serial No,Warranty Period (Days),Periodo di garanzia (Giorni) @@ -584,10 +586,10 @@ DocType: Pricing Rule,Sales Partner,Partner vendite DocType: Buying Settings,Purchase Receipt Required,Ricevuta di Acquisto necessaria apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,La valorizzazione è obbligatoria se si tratta di una disponibilità iniziale di magazzino apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nessun record trovato nella tabella Fattura -apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Selezionare prego e Partito Tipo primo +apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Per favore selezionare prima l'azienda e il tipo di Partner apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Esercizio finanziario / contabile . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valori accumulati -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Crea Ordine di vendita DocType: Project Task,Project Task,Progetto Task ,Lead Id,Id del Lead @@ -607,6 +609,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Assegna apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Ritorno di vendite 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,Nota: Totale foglie assegnati {0} non deve essere inferiore a foglie già approvati {1} per il periodo +,Total Stock Summary,Sommario totale delle azioni DocType: Announcement,Posted By,Pubblicato da DocType: Item,Delivered by Supplier (Drop Ship),Consegnato dal Fornitore (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database Potenziali Clienti. @@ -615,8 +618,8 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Database Clienti. DocType: Quotation,Quotation To,Preventivo Per DocType: Lead,Middle Income,Reddito Medio apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening ( Cr ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unità di misura predefinita per la voce {0} non può essere modificato direttamente perché si è già fatto qualche operazione (s) con un altro UOM. Sarà necessario creare una nuova voce per utilizzare un diverso UOM predefinito. -apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Importo concesso non può essere negativo +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unità di misura predefinita per la voce {0} non può essere modificato direttamente perché si è già fatto qualche operazione (s) con un altro UOM. Sarà necessario creare una nuova voce per utilizzare un diverso UOM predefinito. +apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,L'Importo assegnato non può essere negativo apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Imposti la Società DocType: Purchase Order Item,Billed Amt,Importo Fatturato DocType: Training Result Employee,Training Result Employee,Employee Training Risultato @@ -636,6 +639,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Principali DocType: Assessment Plan,Maximum Assessment Score,Massimo punteggio apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Aggiorna le date delle transazioni bancarie apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Monitoraggio tempo +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE PER IL TRASPORTATORE DocType: Fiscal Year Company,Fiscal Year Company,Anno Fiscale Società DocType: Packing Slip Item,DN Detail,Dettaglio DN DocType: Training Event,Conference,Conferenza @@ -667,7 +671,7 @@ DocType: Employee,Passport Number,Numero di passaporto apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Rapporto con Guardian2 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager DocType: Payment Entry,Payment From / To,Pagamento da / a -apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuovo limite di credito è inferiore a corrente importo dovuto per il cliente. Limite di credito deve essere atleast {0} +apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Il Nuovo limite di credito è inferiore all'attuale importo dovuto dal cliente. Il limite di credito deve essere almeno {0} DocType: SMS Settings,Receiver Parameter,Ricevitore Parametro apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basato Su' e 'Raggruppato Per' non può essere lo stesso DocType: Sales Person,Sales Person Targets,Sales Person Obiettivi @@ -675,8 +679,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 +320,Timesheet created:,Timesheet creato: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -705,7 +709,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 +139,Finish,finire +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Finire apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Base DocType: Timesheet,Total Billed Hours,Totale ore fatturate DocType: Journal Entry,Write Off Amount,Scrivi Off Importo @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,Città Venditore ,Absent Student Report,Report Assenze Studente DocType: Email Digest,Next email will be sent on:,La prossima Email verrà inviata il: DocType: Offer Letter Term,Offer Letter Term,Termine di Offerta -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Articolo ha varianti. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Articolo ha varianti. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Articolo {0} non trovato DocType: Bin,Stock Value,Valore Giacenza apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Società di {0} non esiste @@ -784,12 +788,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Crea un Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -847,13 +851,13 @@ DocType: Company,Default Cost of Goods Sold Account,Costo predefinito di Account apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Listino Prezzi non selezionati DocType: Employee,Family Background,Sfondo Famiglia DocType: Request for Quotation Supplier,Send Email,Invia Email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Attenzione: L'allegato non valido {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nessuna autorizzazione +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Attenzione: L'allegato non valido {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nessuna autorizzazione 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 partito, selezionare Partito Digitare prima" +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 +269,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -872,7 +876,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} è già completato o annullato +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/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 @@ -892,7 +896,7 @@ DocType: Program Enrollment,Vehicle/Bus Number,Numero di veicolo / bus apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Orario del corso DocType: Maintenance Visit,Completion Status,Stato Completamento DocType: HR Settings,Enter retirement age in years,Inserire l'età pensionabile in anni -apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Obiettivo Magazzino +apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Magazzino di Destinazione apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Seleziona un magazzino DocType: Cheque Print Template,Starting location from left edge,A partire da posizione bordo sinistro DocType: Item,Allow over delivery or receipt upto this percent,Consenti superamento ricezione o invio fino a questa percentuale @@ -902,7 +906,7 @@ apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Tutti i Gruppi DocType: Process Payroll,Activity Log,Registro attività apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Utile / Perdita apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Comporre automaticamente il messaggio di presentazione delle transazioni . -DocType: Production Order,Item To Manufacture,Articolo per la fabbricazione +DocType: Production Order,Item To Manufacture,Articolo da produrre apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} stato è {2} DocType: Employee,Provide Email Address registered in company,Fornire l'indirizzo e-mail registrato in compagnia DocType: Shopping Cart Settings,Enable Checkout,Abilita Checkout @@ -960,14 +964,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} deve essere attivo +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} non appartiene alla voce {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial No {0} non appartiene alla voce {1} DocType: Purchase Receipt Item Supplied,Required Qty,Quantità richiesta apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Magazzini con transazione esistenti non possono essere convertiti in contabilità. DocType: Bank Reconciliation,Total Amount,Totale Importo @@ -984,7 +988,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,componenti apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Si prega di inserire Asset categoria al punto {0} DocType: Quality Inspection Reading,Reading 6,Lettura 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Impossibile {0} {1} {2} senza alcuna fattura in sospeso negativo +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Impossibile {0} {1} {2} senza alcuna fattura in sospeso negativo DocType: Purchase Invoice Advance,Purchase Invoice Advance,Acquisto Advance Fattura DocType: Hub Settings,Sync Now,Sync Now apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Riga {0}: ingresso di credito non può essere collegato con un {1} @@ -998,12 +1002,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 +731,New Sales Invoice,Nuova fattura di vendita +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sincronizzazione offline fatture +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1025,7 +1029,7 @@ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_repo ,Company Name,Nome Azienda DocType: SMS Center,Total Message(s),Totale Messaggi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +847,Select Item for Transfer,Selezionare la voce per il trasferimento -DocType: Purchase Invoice,Additional Discount Percentage,Additional Percentuale di sconto +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. DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Consenti all'utente di modificare Listino cambio nelle transazioni @@ -1036,9 +1040,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,chimico DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Predefinito conto bancario / Cash sarà aggiornato automaticamente in Stipendio diario quando viene selezionata questa modalità. DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Società di valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,metro +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1060,7 +1064,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 +452,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 +453,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 @@ -1068,7 +1072,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,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 +259,Qty for {0},Quantità per {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1080,9 +1084,9 @@ 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} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Eliminati elementi senza variazione di quantità o valore. DocType: Delivery Note,Delivery To,Consegna a -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tavolo attributo è obbligatorio +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Tavolo attributo è obbligatorio DocType: Production Planning Tool,Get Sales Orders,Ottieni Ordini di Vendita -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} non può essere negativo +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} non può essere negativo apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Sconto DocType: Asset,Total Number of Depreciations,Numero totale degli ammortamenti DocType: Sales Invoice Item,Rate With Margin,Vota con margine @@ -1118,7 +1122,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 +1546,ZIP Code,CAP +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1136,7 +1140,7 @@ 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 +238,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 +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/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 @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Impostare 'Applica ulteriore sconto On' +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 DocType: Global Defaults,Global Defaults,Predefiniti Globali @@ -1168,11 +1172,11 @@ 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 +22,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 +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} 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 +347,Capacity Planning Error,Capacity Planning Errore -,Trial Balance for Party,Bilancio di verifica per partita +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning Errore +,Trial Balance for Party,Bilancio di verifica per Partner DocType: Lead,Consultant,Consulente DocType: Salary Slip,Earnings,Rendimenti apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Voce Finito {0} deve essere inserito per il tipo di fabbricazione ingresso @@ -1187,10 +1191,10 @@ 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 +771,Return / Debit Note,Ritorno / Nota di Debito +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} numeri di serie validi per l'articolo {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} numeri di serie validi per l'articolo {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Codice Articolo non può essere modificato per N. di Serie apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profilo {0} già creato per l'utente: {1} e società {2} DocType: Sales Invoice Item,UOM Conversion Factor,Fattore di conversione Unità di Misura @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',Centro di costo per articoli con Codice Prodotto ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1241,7 +1245,7 @@ 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,vista Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'articolo {0} non può avere Lotto @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Esempio: Master in Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Sales Order {0} non è valido +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Luogo di emissione apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,contratto DocType: Email Digest,Add Quote,Aggiungere Citazione -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di conversione Unità di Misura è obbligatorio per Unità di Misura: {0} alla voce: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di conversione Unità di Misura è obbligatorio per Unità di Misura: {0} alla voce: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,I vostri prodotti o servizi +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 DocType: Mode of Payment,Mode of Payment,Modalità di Pagamento -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Questo è un gruppo elemento principale e non può essere modificato . @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Stato ordine di produzione è {0} DocType: Appraisal Goal,Goal,Obiettivo DocType: Sales Invoice Item,Edit Description,Modifica Descrizione ,Team Updates,squadra Aggiornamenti @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Esiste magazzino Bambino per questo magazzino. Non è possibile eliminare questo magazzino. DocType: Item,Website Item Groups,Sito gruppi di articoli DocType: Purchase Invoice,Total (Company Currency),Totale (Valuta Società) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta +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 +78,{0} items in progress,{0} articoli in lavorazione +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene alla voce {1} +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} 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 @@ -1373,7 +1376,7 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_ DocType: Payment Entry,Writeoff,Cancellare DocType: Appraisal Template Goal,Appraisal Template Goal,Valutazione Modello Obiettivo DocType: Salary Component,Earning,Rendimento -DocType: Purchase Invoice,Party Account Currency,Partito Conto Valuta +DocType: Purchase Invoice,Party Account Currency,Valuta Conto del Partner ,BOM Browser,Sfoglia BOM DocType: Purchase Taxes and Charges,Add or Deduct,Aggiungere o dedurre apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condizioni sovrapposti trovati tra : @@ -1410,8 +1413,7 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap -DocType: Purchase Invoice,Contact Person,Persona Contatto +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 DocType: Holiday List,Holidays,Vacanze @@ -1423,7 +1425,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Destinazione apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Piano dei Conti DocType: Material Request,Terms and Conditions Content,Termini e condizioni contenuti apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,non può essere superiore a 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,L'articolo {0} non è in Giagenza +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,L'articolo {0} non è in Giagenza DocType: Maintenance Visit,Unscheduled,Non in programma DocType: Employee,Owned,Di proprietà DocType: Salary Detail,Depends on Leave Without Pay,Dipende in aspettativa senza assegni @@ -1465,7 +1467,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 +273,We buy this Item,Compriamo questo articolo +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,12 +1478,12 @@ 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 +266,Sub Assemblies,sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 DocType: Asset Movement,Stock Manager,Responsabile di magazzino -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Deposito Origine è obbligatorio per riga {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Il Magazzino di provenienza è obbligatorio per il rigo {0} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Documento di trasporto apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Affitto Ufficio apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Impostazioni del gateway configurazione di SMS @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nessun record trovato nella tabella di Pagamento apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Questo {0} conflitti con {1} per {2} {3} DocType: Student Attendance Tool,Students HTML,Gli studenti HTML DocType: POS Profile,Apply Discount,applicare Sconto -DocType: Purchase Invoice Item,GST HSN Code,Codice GST HSN +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 +283,Packing Slip(s) cancelled,Bolla di accompagnamento ( s ) annullato @@ -1533,14 +1535,14 @@ DocType: Purchase Invoice Item,Net Amount,Importo Netto apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} non è stato inviato affinché l'azione non possa essere completata DocType: Purchase Order Item Supplied,BOM Detail No,Dettaglio BOM N. DocType: Landed Cost Voucher,Additional Charges,Spese aggiuntive -DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ulteriori Importo Discount (valuta Company) +DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Importo Sconto Aggiuntivo (valuta Azienda) apps/erpnext/erpnext/accounts/doctype/account/account.js +7,Please create new account from Chart of Accounts.,Si prega di creare un nuovo account dal Piano dei conti . DocType: Maintenance Visit,Maintenance Visit,Visita di manutenzione DocType: Student,Leaving Certificate Number,Lasciando Numero del certificato DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Disponibile Quantità Batch in magazzino apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,Aggiornamento Formato di Stampa DocType: Landed Cost Voucher,Landed Cost Help,Landed Cost Aiuto -DocType: Purchase Invoice,Select Shipping Address,Selezionare Indirizzo di spedizione +DocType: Purchase Invoice,Select Shipping Address,Selezionare l'indirizzo di spedizione DocType: Leave Block List,Block Holidays on important days.,Vacanze di blocco nei giorni importanti. apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +71,Accounts Receivable Summary,Contabilità Sommario Crediti DocType: Employee Loan,Monthly Repayment Amount,Ammontare Rimborso Mensile @@ -1557,8 +1559,8 @@ 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 +2573,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Scatola +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Metodo di rimborso DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se selezionato, la pagina iniziale sarà il gruppo di default dell'oggetto per il sito web" DocType: Quality Inspection Reading,Reading 4,Lettura 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM predefinito per {0} non trovato per il progetto {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Reclami per spese dell'azienda. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nuovo compito apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Crea preventivo apps/erpnext/erpnext/config/selling.py +216,Other Reports,Altri Reports DocType: Dependent Task,Dependent Task,Task dipendente -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Fattore di conversione per unità di misura predefinita deve essere 1 in riga {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Fattore di conversione per unità di misura predefinita deve essere 1 in riga {0} 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} DocType: SMS Center,Receiver List,Lista Ricevitore -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Cerca articolo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Già completato +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/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 +263,Quantity must not be more than {0},Quantità non deve essere superiore a {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,ID del cliente POS DocType: Account,Account Name,Nome account apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dalla data non può essere maggiore di A Data -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} {1} quantità non può essere una frazione +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} {1} quantità non può essere una frazione apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Fornitore Tipo master. DocType: Purchase Order Item,Supplier Part Number,Numero di articolo del fornitore apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Il tasso di conversione non può essere 0 o 1 @@ -1634,12 +1635,13 @@ 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: Delivery Note,Vehicle Dispatch Date,Data Spedizione Veicolo +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Conto da pagare Predefinito apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Impostazioni per in linea carrello della spesa, come le regole di trasporto, il listino prezzi ecc" apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Fatturato apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Riservato Quantità -DocType: Party Account,Party Account,Account partito +DocType: Party Account,Party Account,Account del Partner apps/erpnext/erpnext/config/setup.py +122,Human Resources,Risorse Umane DocType: Lead,Upper Income,Reddito superiore apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +13,Reject,Rifiutare @@ -1687,7 +1689,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Includere le vacanz DocType: Sales Invoice,Packed Items,Articoli imballati apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Richiesta Garanzia per N. Serie DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Sostituire un particolare distinta in tutte le altre distinte materiali in cui viene utilizzato. Essa sostituirà il vecchio link BOM, aggiornare i costi e rigenerare ""BOM Explosion Item"" tabella di cui al nuovo BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Totale' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Totale' DocType: Shopping Cart Settings,Enable Shopping Cart,Abilita Carrello DocType: Employee,Permanent Address,Indirizzo permanente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1722,6 +1724,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Pesa +DocType: Sales 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" @@ -1741,7 +1744,7 @@ DocType: Purchase Invoice,Notification Email Address,Indirizzo e-mail di notific ,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 +699,Offline,Disconnesso +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1757,7 +1760,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,principale apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante DocType: Naming Series,Set prefix for numbering series on your transactions,Impostare prefisso per numerazione serie sulle transazioni DocType: Employee Attendance Tool,Employees HTML,Dipendenti HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM default ({0}) deve essere attivo per questo articolo o il suo modello +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM default ({0}) deve essere attivo per questo articolo o il suo modello 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 @@ -1765,12 +1768,12 @@ DocType: Item,Variants,Varianti apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,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,Somma stanziata +DocType: Payment Reconciliation Payment,Allocated amount,Importo Assegnato 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 +175,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 +173,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 @@ -1778,7 +1781,7 @@ DocType: Item,Serial Nos and Batches,Numero e lotti seriali apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Forza del gruppo studente apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contro diario {0} non ha alcun ineguagliata {1} entry apps/erpnext/erpnext/config/hr.py +137,Appraisals,Perizie -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Inserito Numero di Serie duplicato per l'articolo {0} +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" @@ -1787,7 +1790,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} deve essere confermata +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Pagamento @@ -1806,12 +1809,12 @@ 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 +257,"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 +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 . 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: Asset Movement,Asset Movement,Movimento Asset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nuovo carrello +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1837,7 +1840,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Ottenere elementi dal Acquisto Receipts DocType: Serial No,Creation Date,Data di Creazione apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},L'articolo {0} compare più volte nel Listino {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Vendita deve essere controllato, se applicabile per è selezionato come {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Vendita deve essere controllato, se applicabile per è selezionato come {0}" DocType: Production Plan Material Request,Material Request Date,Data Richiesta Materiale DocType: Purchase Order Item,Supplier Quotation Item,Preventivo Articolo Fornitore DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Disabilita la creazione di registri di tempo contro gli ordini di produzione. Le operazioni non devono essere monitorati contro ordine di produzione @@ -1853,21 +1856,21 @@ 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 DocType: Budget,Budget,Budget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Un Bene Strumentale deve essere un Bene Non di Magazzino +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 +209,e.g. 5,p. es. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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}: importo assegnato {1} deve essere inferiore o uguale a fatturare importo residuo {2} +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. DocType: Item,Is Sales Item,È Voce vendite apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,Struttura Gruppo Articoli 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 +263,A Product or Service,Un prodotto o servizio +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1941,7 +1944,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Coppia +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Coppia apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1960,10 +1963,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Data di fine effettiva (da Time Sheet) 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 +160,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 +342,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito +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 DocType: Shipping Rule Condition,Shipping Amount,Importo spedizione -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Aggiungi clienti +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1980,6 +1983,7 @@ DocType: Journal Entry,Accounts Receivable,Conti esigibili ,Supplier-Wise Sales Analytics,Estensione statistiche di Vendita Fornitore apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Inserisci Importo pagato DocType: Salary Structure,Select employees for current Salary Structure,Selezionare i dipendenti per i struttura di stipendio +DocType: Sales Invoice,Company Address Name,Nome dell'azienda nome 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)" @@ -1990,7 +1994,7 @@ DocType: HR Settings,HR Settings,Impostazioni HR DocType: Salary Slip,net pay info,Informazioni retribuzione netta apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,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,Ulteriori Importo Sconto +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." 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 @@ -1999,7 +2003,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 +269,Unit,Unità +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2020,7 +2024,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,importo Differenza @@ -2029,7 +2033,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Classificazione dei Clienti per regione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Differenza L'importo deve essere pari a zero DocType: Project,Gross Margin,Margine lordo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Inserisci Produzione articolo prima +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 +748,Quotation,Preventivo @@ -2041,7 +2045,7 @@ 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**. DocType: Opportunity,Customer / Lead Address,Indirizzo Cliente / Lead -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Attenzione: certificato SSL non valido sull'attaccamento {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Attenzione: certificato SSL non valido sull'attaccamento {0} DocType: Student Admission,Eligibility,Eleggibilità apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","I Leads ti aiutano ad incrementare il tuo business, aggiungi tutti i tuoi contatti come tuoi leads" DocType: Production Order Operation,Actual Operation Time,Tempo lavoro effettiva @@ -2060,11 +2064,11 @@ DocType: Appraisal,Calculate Total Score,Calcolare il punteggio totale DocType: Request for Quotation,Manufacturing Manager,Responsabile di produzione apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} è in garanzia fino a {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split di consegna Nota in pacchetti. -apps/erpnext/erpnext/hooks.py +87,Shipments,Spedizioni -DocType: Payment Entry,Total Allocated Amount (Company Currency),Totale importo assegnato (Società di valuta) +apps/erpnext/erpnext/hooks.py +94,Shipments,Spedizioni +DocType: Payment Entry,Total Allocated Amount (Company Currency),Totale importo assegnato (Valuta della Società) DocType: Purchase Order Item,To be delivered to customer,Da consegnare al cliente DocType: BOM,Scrap Material Cost,Costo rottami Materiale -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,N. di serie {0} non appartiene ad alcun magazzino +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,N. di serie {0} non appartiene ad alcun magazzino DocType: Purchase Invoice,In Words (Company Currency),In Parole (Azienda valuta) DocType: Asset,Supplier,Fornitore DocType: C-Form,Quarter,Trimestrale @@ -2078,11 +2082,10 @@ DocType: Employee Loan,Employee Loan Account,Impiegato account di prestito DocType: Leave Application,Total Leave Days,Totale Lascia Giorni DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: E-mail non sarà inviata agli utenti disabilitati apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numero di interazione -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio 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 +408,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2090,7 +2093,7 @@ apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depr apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +94,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 allocato +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." @@ -2123,7 +2126,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Dettaglio Rimborso Spese -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Seleziona account corretto +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATO PER IL FORNITORE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Seleziona account corretto DocType: Item,Weight UOM,Peso UOM DocType: Salary Structure Employee,Salary Structure Employee,Stipendio Struttura dei dipendenti DocType: Employee,Blood Group,Gruppo Discendenza @@ -2145,7 +2149,7 @@ DocType: Student,Guardians,Guardiani 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 +336,Debit To is required,Debito A è richiesto +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2158,7 +2162,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Totale non pagato: DocType: BOM Website Operation,BOM Website Operation,BOM Pagina web apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Lettera di Offerta apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generare richieste di materiali (MRP) e ordini di produzione. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Totale fatturato Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Totale fatturato Amt DocType: BOM,Conversion Rate,Tasso di conversione apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ricerca prodotto DocType: Timesheet Detail,To Time,Per Tempo @@ -2172,7 +2176,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numeri di serie necessari per la voce {1}. Lei ha fornito {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numeri di serie necessari per la voce {1}. Lei ha fornito {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Corrente Tasso di Valorizzazione DocType: Item,Customer Item Codes,Codici Voce clienti apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Guadagno Exchange / Perdita @@ -2219,7 +2223,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 +2454,Select Batch No,Seleziona il numero di lotto +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2243,19 +2247,19 @@ DocType: Leave Block List,Allow Users,Consentire Utenti DocType: Purchase Order,Customer Mobile No,Clienti mobile No DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Traccia reddito separata e spesa per verticali di prodotto o divisioni. DocType: Rename Tool,Rename Tool,Rename Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Aggiorna il Costo +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 +438,Show Salary Slip,Visualizza foglio paga apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,conto importo Selezionare cambiamento +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Aggiungi Imposte +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2266,6 +2270,7 @@ DocType: Stock Entry,Purchase Receipt No,Ricevuta di Acquisto N. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Caparra DocType: Process Payroll,Create Salary Slip,Creare busta paga apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,tracciabilità +DocType: Purchase Invoice Item,HSN/SAC Code,Codice HSN / SAC 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 @@ -2295,7 +2300,7 @@ DocType: Employee Education,Post Graduate,Post Laurea DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Dettaglio programma di manutenzione DocType: Quality Inspection Reading,Reading 9,Lettura 9 DocType: Supplier,Is Frozen,È Congelato -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,magazzino nodo di gruppo non è permesso di selezionare per le transazioni +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,magazzino nodo di gruppo non è permesso di selezionare per le transazioni DocType: Buying Settings,Buying Settings,Impostazioni Acquisto DocType: Stock Entry Detail,BOM No. for a Finished Good Item,N. BOM per quantità buona completata DocType: Upload Attendance,Attendance To Date,Data Fine Frequenza @@ -2310,13 +2315,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, fattura contiene articoli di trasporto di goccia." +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.js +153,You can not change rate if BOM mentioned agianst any item,Non è possibile cambiare tariffa se la distinta (BOM) è già assegnata a un articolo +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à apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Inserisci pianificato quantità per la voce {0} alla riga {1} @@ -2338,7 +2343,7 @@ DocType: Authorization Rule,Authorized Value,Valore Autorizzato DocType: BOM,Show Operations,Mostra Operations ,Minutes to First Response for Opportunity,Minuti per First Response per Opportunità apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Totale Assente -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unità di Misura DocType: Fiscal Year,Year End Date,Data di fine anno DocType: Task Depends On,Task Depends On,L'attività dipende da @@ -2378,7 +2383,7 @@ 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% apps/erpnext/erpnext/hr/doctype/employee/employee.py +119,Contract End Date must be greater than Date of Joining,Data fine contratto deve essere maggiore di Data di giunzione 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.,Un distributore di terze parti / distributore / commissionario / affiliato / rivenditore che vende i prodotti delle aziende per una commissione. +DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,Un distributore / agenzia / affiliato / rivenditore che vende i prodotti delle aziende per una commissione. apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +376,{0} against Purchase Order {1},{0} contro ordine di acquisto {1} DocType: SMS Settings,"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Inserisci parametri statici della url qui (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)" DocType: Task,Actual Start Date (via Time Sheet),Data di inizio effettiva (da Time Sheet) @@ -2429,7 +2434,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 +106,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 +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/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 @@ -2477,10 +2482,10 @@ DocType: Payment Entry,Payment Type,Tipo di pagamento 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,Seleziona un batch per l'articolo {0}. Impossibile trovare un unico batch che soddisfi questo requisito DocType: Process Payroll,Select Employees,Selezionare Dipendenti DocType: Opportunity,Potential Sales Deal,Deal potenziale di vendita -DocType: Payment Entry,Cheque/Reference Date,Assegno / Data di riferimento +DocType: Payment Entry,Cheque/Reference Date,Data di riferimento DocType: Purchase Invoice,Total Taxes and Charges,Totale imposte e oneri DocType: Employee,Emergency Contact,Contatto di emergenza -DocType: Bank Reconciliation Detail,Payment Entry,Contabilizza pagamento +DocType: Bank Reconciliation Detail,Payment Entry,Registrazione di pagamento DocType: Item,Quality Parameters,Parametri di Qualità ,sales-browser,vendite browser apps/erpnext/erpnext/accounts/doctype/account/account.js +56,Ledger,Ledger @@ -2525,9 +2530,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Rif +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Rif DocType: Budget,Cost Center,Centro di Costo apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Ordine di acquisto Message @@ -2543,7 +2548,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 +1165,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2562,7 +2567,7 @@ DocType: Project,Task Completion,Completamento dell'attività apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Non in Stock DocType: Appraisal,HR User,HR utente DocType: Purchase Invoice,Taxes and Charges Deducted,Tasse e oneri dedotti -apps/erpnext/erpnext/hooks.py +116,Issues,Controversie +apps/erpnext/erpnext/hooks.py +124,Issues,Controversie apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Stato deve essere uno dei {0} DocType: Sales Invoice,Debit To,Addebito a DocType: Delivery Note,Required only for sample item.,Richiesto solo per la voce di esempio. @@ -2591,6 +2596,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territorio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Si prega di citare nessuna delle visite richieste DocType: Stock Settings,Default Valuation Method,Metodo di valorizzazione predefinito +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,tassa DocType: Vehicle Log,Fuel Qty,Quantità di carburante DocType: Production Order Operation,Planned Start Time,Ora di inizio prevista DocType: Course,Assessment,Valutazione @@ -2600,12 +2606,12 @@ 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 +149,Quotation {0} is cancelled,Preventivo {0} è annullato -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Importo totale Eccezionale +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Tutte le transazioni di vendita possono essere etichettati contro più persone ** ** di vendita in modo da poter impostare e monitorare gli obiettivi. ,S.O. No.,S.O. No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Si prega di creare il Cliente dal Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Si prega di creare il Cliente dal Lead {0} DocType: Price List,Applicable for Countries,Applicabile per i paesi apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Solo Lasciare applicazioni con lo stato 'approvato' e 'rifiutato' possono essere presentate apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Nome gruppo è obbligatoria in riga {0} @@ -2654,9 +2660,10 @@ 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/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,Eccezionale Importo +DocType: Payment Reconciliation Invoice,Outstanding Amount,Importo Dovuto apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Tempo (in minuti) DocType: Project Task,Working,Lavorando DocType: Stock Ledger Entry,Stock Queue (FIFO),Code Giacenze (FIFO) @@ -2688,7 +2695,7 @@ DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasso Netto (Valuta A 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,Balance Partito +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 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 @@ -2696,15 +2703,15 @@ DocType: Stock Entry,Material Transfer for Manufacture,Trasferimento materiali 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.,Percentuale di sconto può essere applicato sia contro un listino prezzi o per tutti Listino. DocType: Purchase Invoice,Half-yearly,Semestrale apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Voce contabilità per giacenza +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Hai già valutato i criteri di valutazione {}. DocType: Vehicle Service,Engine Oil,Olio motore -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: Sales Invoice,Sales Team1,Vendite Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,L'articolo {0} non esiste 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. -DocType: Purchase Invoice,Apply Additional Discount On,Applicare Sconto Ulteriori On +DocType: Purchase Invoice,Apply Additional Discount On,Applicare lo Sconto Aggiuntivo su DocType: Account,Root Type,Root Tipo DocType: Item,FIFO,FIFO apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Impossibile restituire più di {1} per la voce {2} @@ -2712,9 +2719,9 @@ apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytic DocType: Item Group,Show this slideshow at the top of the page,Mostra questo slideshow in cima alla pagina DocType: BOM,Item UOM,Articolo UOM DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Fiscale Ammontare Dopo Ammontare Sconto (Società valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Obiettivo Magazzino è obbligatoria per la riga {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Il Magazzino di Destinazione per il rigo {0} DocType: Cheque Print Template,Primary Settings,Impostazioni primarie -DocType: Purchase Invoice,Select Supplier Address,Selezione l'indirizzo del Fornitore +DocType: Purchase Invoice,Select Supplier Address,Selezionare l'indirizzo del Fornitore apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Aggiungere dipendenti DocType: Purchase Invoice Item,Quality Inspection,Controllo Qualità apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small @@ -2725,7 +2732,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entità Legale / Controllata con un grafico separato di conti appartenenti all'organizzazione. DocType: Payment Request,Mute Email,Email muta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Prodotti alimentari , bevande e tabacco" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Tasso Commissione non può essere superiore a 100 DocType: Stock Entry,Subcontract,Conto lavoro apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Si prega di inserire {0} prima @@ -2744,7 +2751,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}),Anticipo totale ({0}) contro l'ordine {1} non può essere superiore al totale complessivo ({2}) +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}) 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 / @@ -2753,7 +2760,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Presenze mensile Scheda apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} ha già presentato domanda di {1} tra {2} e {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data di inizio del progetto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Fino a +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Fino a DocType: Rename Tool,Rename Log,Rinominare Entra apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Il gruppo studente o il corso è obbligatorio DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Ore fatturate e Ore lavorate allienate allo stesso Valore @@ -2777,7 +2784,7 @@ DocType: Purchase Order Item,Returned Qty,Tornati Quantità DocType: Employee,Exit,Esci apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type è obbligatorio DocType: BOM,Total Cost(Company Currency),Costo totale (Società di valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} creato +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial No {0} creato DocType: Homepage,Company Description for website homepage,Descrizione della società per home page del sito DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Per la comodità dei clienti, questi codici possono essere utilizzati in formati di stampa, come fatture e Documenti di Trasporto" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nome suplier @@ -2797,7 +2804,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Orari del corso cancellato: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,I registri per il mantenimento dello stato di consegna sms DocType: Accounts Settings,Make Payment via Journal Entry,Effettua il pagamento tramite Registrazione Contabile -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Stampato su +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Stampato su DocType: Item,Inspection Required before Delivery,Ispezione richiesta prima della consegna DocType: Item,Inspection Required before Purchase,Ispezione Richiesto prima di Acquisto apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Attività in sospeso @@ -2829,9 +2836,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studente Ba apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limite Crossed apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,capitale a rischio 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.,Un termine accademico con questo 'Anno Accademico' {0} e 'Term Nome' {1} esiste già. Si prega di modificare queste voci e riprovare. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Poiché esistono transazioni esistenti rispetto all'oggetto {0}, non è possibile modificare il valore di {1}" +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}","Poiché esistono transazioni esistenti rispetto all'oggetto {0}, non è possibile modificare il valore di {1}" DocType: UOM,Must be Whole Number,Deve essere un Numero Intero DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuove ferie attribuiti (in giorni) +DocType: Sales Invoice,Invoice Copy,Copia fattura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} non esiste DocType: Sales Invoice Item,Customer Warehouse (Optional),Deposito Cliente (opzionale) DocType: Pricing Rule,Discount Percentage,Percentuale di sconto @@ -2876,8 +2884,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Chiudi la controversia a 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Congela scorta voci +DocType: Program Enrollment,Boarding Student,Studente di imbarco DocType: Asset,Expected Value After Useful Life,Valore atteso After Life utile DocType: Item,Reorder level based on Warehouse,Livello di riordino sulla base di Magazzino DocType: Activity Cost,Billing Rate,Fatturazione Tasso @@ -2885,7 +2895,7 @@ DocType: Activity Cost,Billing Rate,Fatturazione Tasso ,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 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 partito è obbligatoria +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipo Partner è obbligatorio DocType: Quality Inspection,Outgoing,In partenza DocType: Material Request,Requested For,richiesto Per DocType: Quotation Item,Against Doctype,Per Doctype @@ -2904,11 +2914,11 @@ DocType: Serial No,Warranty / AMC Details,Garanzia / AMC Dettagli apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selezionare manualmente gli studenti per il gruppo basato sulle attività DocType: Journal Entry,User Remark,Osservazioni dell'utente DocType: Lead,Market Segment,Segmento di Mercato -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Importo versato non può essere maggiore di totale importo residuo negativo {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},L'Importo versato non può essere maggiore del totale importo dovuto negativo {0} DocType: Employee Internal Work History,Employee Internal Work History,Storia lavorativa Interna del Dipendente apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Chiusura (Dr) DocType: Cheque Print Template,Cheque Size,Dimensione Assegno -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} non in magazzino +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial No {0} non in magazzino apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Modelli fiscali per le transazioni di vendita. DocType: Sales Invoice,Write Off Outstanding Amount,Scrivi Off eccezionale Importo apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},L'account {0} non corrisponde con l'azienda {1} @@ -2932,12 +2942,12 @@ 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 +348,Add a few sample records,Aggiungere un paio di record di esempio +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 DocType: Lead,Lower Income,Reddito più basso -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Origine e magazzino target non possono essere uguali per riga {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Magazzino di origine e di destinazione non possono essere uguali per rigo {0} 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} @@ -2946,17 +2956,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,N. di serie e batch DocType: Warranty Claim,From Company,Da Azienda -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Somma dei punteggi di criteri di valutazione deve essere {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Somma dei punteggi di criteri di valutazione deve essere {0}. 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 +270,Minute,Minuto +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2975,10 +2985,10 @@ DocType: Sales Order,% Delivered,% Consegnato DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Conto di scoperto bancario apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Crea Busta paga -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riga # {0}: Importo assegnato non può essere superiore all'importo in sospeso. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Sfoglia BOM +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riga # {0}: L'Importo assegnato non può essere superiore all'importo dovuto. +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Sfoglia BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Prestiti garantiti -DocType: Purchase Invoice,Edit Posting Date and Time,Modifica distacco di data e ora +DocType: Purchase Invoice,Edit Posting Date and Time,Modifica data e ora di registrazione apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Si prega di impostare gli account relativi ammortamenti nel settore Asset Categoria {0} o {1} società DocType: Academic Term,Academic Year,Anno accademico apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Apertura Balance Equità @@ -2992,7 +3002,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 +278,Select Quantity,Seleziona Quantità +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3011,10 +3021,11 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either targe apps/erpnext/erpnext/config/projects.py +45,Cost of various activities,Costo di varie attività apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Impostazione Eventi a {0}, in quanto il dipendente attaccato al di sotto personale di vendita non dispone di un ID utente {1}" DocType: Timesheet,Billing Details,Dettagli di fatturazione -apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target warehouse must be different,Fonte e magazzino di destinazione devono essere diversi +apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target warehouse must be different,Magazzino di Origine e di Destinazione devono essere diversi apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Non è permesso di aggiornare le transazioni di magazzino di età superiore a {0} DocType: Purchase Invoice Item,PR Detail,PR Dettaglio DocType: Sales Order,Fully Billed,Completamente Fatturato +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornitore> Tipo Fornitore 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 +127,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) @@ -3052,8 +3063,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Importo totale Costing (vi 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 DocType: Customs Tariff Number,Tariff Number,Numero tariffario +DocType: Production Order Item,Available Qty at WIP Warehouse,Quantità disponibile presso WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,proiettata -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} non appartiene al Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial No {0} non appartiene al Warehouse {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,Nota : Il sistema non controlla over - consegna e over -booking per la voce {0} come la quantità o la quantità è 0 DocType: Notification Control,Quotation Message,Messaggio Preventivo DocType: Employee Loan,Employee Loan Application,Impiegato Loan Application @@ -3071,13 +3083,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Importo apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Fatture emesse dai fornitori. DocType: POS Profile,Write Off Account,Scrivi Off account -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debito Nota Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debito Nota Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Importo sconto DocType: Purchase Invoice,Return Against Purchase Invoice,Ritorno Contro Acquisto Fattura 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 +207,e.g. VAT,p. es. IVA +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3085,7 +3097,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 +1945,Please select customer,Seleziona cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3111,19 +3123,19 @@ DocType: Appraisal Goal,Weightage (%),Weightage (%) DocType: Bank Reconciliation Detail,Clearance Date,Data Liquidazione apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62,Gross Purchase Amount is mandatory,Gross Importo acquisto è obbligatoria DocType: Lead,Address Desc,Desc. indirizzo -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party è obbligatoria +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Il Partner è obbligatorio DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Nome argomento -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,", Almeno una delle vendere o acquistare deve essere selezionata" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,", Almeno una delle vendere o acquistare deve essere selezionata" apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selezionare la natura della vostra attività. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Riga # {0}: duplica la voce nei riferimenti {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dove si svolgono le operazioni di fabbricazione. -DocType: Asset Movement,Source Warehouse,Deposito Origine +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} 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 +50,Min Qty can not be greater than Max Qty,La quantità Min non può essere maggiore della quantità Max +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 DocType: Account,Accumulated Depreciation,Fondo di ammortamento DocType: Stock Entry,Customer or Supplier Details,Dettagli Cliente o Fornitore DocType: Employee Loan Application,Required by Date,Richiesto per data @@ -3152,10 +3164,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Ordine di acq apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nome azienda non può essere azienda apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Lettera intestazioni per modelli di stampa . apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titoli di modelli di stampa p. es. Fattura proforma +DocType: Program Enrollment,Walking,A passeggio DocType: Student Guardian,Student Guardian,Student Guardiano apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Spese tipo di valutazione non possono contrassegnata come Inclusive DocType: POS Profile,Update Stock,Aggiornare Giacenza -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornitore> Tipo Fornitore apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Una diversa Unità di Misura degli articoli darà come risultato un Peso Netto (Totale) non corretto. Assicurarsi che il peso netto di ogni articolo sia nella stessa Unità di Misura." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Tasso @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Mostra fiscale break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3217,7 +3228,7 @@ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vendere DocType: Sales Invoice,Rounded Total,Totale arrotondato DocType: Product Bundle,List items that form the package.,Voci di elenco che formano il pacchetto. apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentuale di ripartizione dovrebbe essere pari al 100 % -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Si prega di selezionare Data Pubblicazione prima di selezionare partito +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Si prega di selezionare la data di registrazione prima di selezionare il Partner DocType: Program Enrollment,School House,school House DocType: Serial No,Out of AMC,Fuori di AMC apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Seleziona Citazioni @@ -3227,14 +3238,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Conto cassa predefinito apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Azienda ( non cliente o fornitore ) master. 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 +176,No Students in,Nessun studente dentro +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 +108,Please enter 'Expected Delivery Date',Inserisci il ' Data prevista di consegna ' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN non valido o Invio NA per non registrato +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3275,23 @@ DocType: Sales Team,Contribution (%),Contributo (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota : non verrà creato il pagamento poiché non è stato specificato 'conto bancario o fido' apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilità DocType: Expense Claim Account,Expense Claim Account,Conto spese rivendicazione +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 Impostazione> Impostazioni> Serie di denominazione DocType: Sales Person,Sales Person Name,Vendite Nome persona apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Inserisci atleast 1 fattura nella tabella +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Aggiungi Utenti DocType: POS Item Group,Item Group,Gruppo Articoli DocType: Item,Safety Stock,Scorta di sicurezza apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progressi% per un compito non può essere superiore a 100. DocType: Stock Reconciliation Item,Before reconciliation,Prima di riconciliazione apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Per {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Tasse e spese aggiuntive (Azienda valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Voce fiscale Row {0} deve avere un account di tipo fiscale o di reddito o spese o addebitabile +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Voce fiscale Row {0} deve avere un account di tipo fiscale o di reddito o spese o addebitabile DocType: Sales Order,Partly Billed,Parzialmente Fatturato apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Voce {0} deve essere un asset Articolo fisso DocType: Item,Default BOM,Distinta Materiali Predefinita -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debito importo nota +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debito importo nota apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Si prega di digitare nuovamente il nome della società per confermare -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totale Outstanding Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totale Outstanding Amt DocType: Journal Entry,Printing Settings,Impostazioni di stampa DocType: Sales Invoice,Include Payment (POS),Includi pagamento (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Debito totale deve essere pari al totale credito . @@ -3286,19 +3299,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Compagnia assicurativa DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabile -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Da Documento di Trasporto +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Da Documento di Trasporto DocType: Student,Student Email Address,Student Indirizzo e-mail DocType: Timesheet Detail,From Time,Da Periodo apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,In Stock: DocType: Notification Control,Custom Message,Messaggio Personalizzato apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Contanti o conto bancario è obbligatoria per effettuare il pagamento voce -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 l'impostazione> Serie di numerazione apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Indirizzo studente 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 +1517,Address Name,indirizzo Nome +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Inserire il valore deve essere positivo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,Elaborazione Busta Paga apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Ci sono più feste che giorni di lavoro questo mese. DocType: Product Bundle Item,Product Bundle Item,Prodotto Bundle Voce DocType: Sales Partner,Sales Partner Name,Nome partner vendite -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Richiesta di Citazioni +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Richiesta di Citazioni DocType: Payment Reconciliation,Maximum Invoice Amount,Importo Massimo Fattura DocType: Student Language,Student Language,Student Lingua apps/erpnext/erpnext/config/selling.py +23,Customers,Clienti @@ -3342,7 +3354,7 @@ DocType: Asset,Partially Depreciated,parzialmente ammortizzati DocType: Issue,Opening Time,Tempo di apertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Data Inizio e Fine sono obbligatorie apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & borse merci -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,Materia prima +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data di apertura dovrebbe essere prima Data di chiusura -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 Impostazione> Impostazioni> Serie di denominazione 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. @@ -3384,8 +3395,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0} +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/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 DocType: Journal Entry,Bank Entry,Registrazione bancaria DocType: Authorization Rule,Applicable To (Designation),Applicabile a (Designazione) @@ -3402,7 +3413,7 @@ 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 +270,Hour,Ora +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3412,7 +3423,7 @@ DocType: Item,Default Material Request Type,Predefinito Materiale Tipo di richie 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 +645,Point of Sale,Punto di vendita +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3427,8 +3438,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 +270,Gram,Grammo -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0. +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/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à. @@ -3453,14 +3464,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 +465,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 +466,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 +834,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 +835,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 @@ -3492,12 +3503,12 @@ 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 +436,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0} +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} DocType: Leave Allocation,Unused leaves,Ferie non godute apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,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 partito {2} +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 +861,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 @@ -3539,7 +3550,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Impostazioni per homepage del sito 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 +214,Invalid attribute {0} {1},attributo non valido {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Seleziona il gruppo di valutazione diverso da 'Tutti i gruppi di valutazione' @@ -3637,16 +3648,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Componenti stipendio DocType: Program Enrollment Tool,New Academic Year,Nuovo anno accademico apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Ritorno / nota di credito DocType: Stock Settings,Auto insert Price List rate if missing,Inserimento automatico tasso Listino se mancante -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Importo totale pagato +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Importo totale pagato DocType: Production Order Item,Transferred Qty,Quantità trasferito apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigazione apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pianificazione 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 +272,We sell this Item,Vendiamo questo articolo +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3694,7 +3707,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 +1186,Please set Company,Imposti la Società +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3710,13 +3723,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,In paro 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 DocType: Attendance,ATT-,la tentata -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Codice a barre {0} già utilizzato nel Prodotto {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Codice a barre {0} già utilizzato nel Prodotto {1} DocType: Lead,Add to calendar on this date,Aggiungi al calendario in questa data apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione . DocType: Item,Opening Stock,Disponibilità Iniziale apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Il Cliente è tenuto apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} è obbligatorio per Return DocType: Purchase Order,To Receive,Ricevere +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Email personale apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Varianza totale DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se abilitato, il sistema pubblicherà le scritture contabili per l'inventario automatico." @@ -3727,7 +3741,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 +541,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3735,24 +3749,24 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Fuori Garanzia DocType: BOM Replace Tool,Replace,Sostituire apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nessun prodotto trovato. -DocType: Production Order,Unstopped,Non fermato apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} per fattura di vendita {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nome del progetto DocType: Customer,Mention if non-standard receivable account,Menzione se conto credito non standard DocType: Journal Entry Account,If Income or Expense,Se proventi od oneri -DocType: Production Order,Required Items,Elementi richiesti +DocType: Production Order,Required Items,Articoli richiesti 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} 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 DocType: Item,Moving Average,Media Mobile DocType: BOM Replace Tool,The BOM which will be replaced,La distinta base che sarà sostituita apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Apparecchiature elettroniche -DocType: Account,Debit,Debito +DocType: Account,Debit,Dare apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Le ferie devono essere assegnati in multipli di 0,5" DocType: Production Order,Operation Cost,Operazione Costo apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Carica presenze da un file. Csv @@ -3782,9 +3796,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Da Gamma apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Errore di sintassi nella formula o una condizione: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Quotidiano lavoro riepilogo delle impostazioni azienda -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Articolo {0} ignorato poiché non è in Giacenza +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 +40,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 +102,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 @@ -3792,12 +3806,14 @@ 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 +209,Rate (%),Tasso ( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Impostare il filtro aziendale vuoto se Group By è 'Azienda' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,La Data di Registrazione non può essere una data futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: N. di serie {1} non corrisponde con {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3808,7 +3824,7 @@ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Qtà in Stock 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,Partito +DocType: GL Entry,Party,Partner DocType: Sales Order,Delivery Date,Data Consegna DocType: Opportunity,Opportunity Date,Data Opportunità DocType: Purchase Receipt,Return Against Purchase Receipt,Ricevuta di Ritorno contro Ricevuta di Acquisto @@ -3826,7 +3842,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Voce Inventario apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Impostazioni Conti apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Approvare DocType: Customer,Sales Partner and Commission,Partner vendite e Commissione @@ -3841,7 +3857,7 @@ 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 +62,{0} items produced,{0} articoli prodotti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3855,7 +3871,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Rimborso spese totale (via 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} DocType: Journal Entry Account,Exchange Rate,Tasso di cambio: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato +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 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 @@ -3880,18 +3896,18 @@ 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 +705,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Rimborsare importo fisso per Periodo apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Inserite la quantità per articolo {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota di credito Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Nota di credito Amt DocType: Employee External Work History,Employee External Work History,Storia lavorativa esterna del Dipendente DocType: Tax Rule,Purchase,Acquisto apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Saldo Quantità @@ -3916,7 +3932,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 +2383,Select items to save the invoice,Selezionare gli elementi per salvare la fattura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3945,6 +3961,7 @@ DocType: Guardian,Guardian Of ,guardian of DocType: Grading Scale Interval,Threshold,Soglia DocType: BOM Replace Tool,Current BOM,Distinta Materiali Corrente apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Aggiungi Numero di Serie +DocType: Production Order Item,Available Qty at Source Warehouse,Qtà disponibile presso Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garanzia DocType: Purchase Invoice,Debit Note Issued,Nota di Debito Emessa DocType: Production Order,Warehouses,Magazzini @@ -3960,13 +3977,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Importo pagato apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager ,Quoted Item Comparison,Articolo Citato Confronto apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Spedizione -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Sconto massimo consentito per la voce: {0} {1}% +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 +279,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 +879,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo" +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" DocType: Item,Material Issue,Fornitura materiale DocType: Hub Settings,Seller Description,Venditore Descrizione DocType: Employee Education,Qualification,Qualifica @@ -3990,7 +4007,7 @@ DocType: POS Profile,Terms and Conditions,Termini e Condizioni 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 +200,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 +198,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 @@ -4010,7 +4027,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Per impostare questo anno fiscale come predefinito , clicca su ' Imposta come predefinito'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Aderire apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Carenza Quantità -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche DocType: Employee Loan,Repay from Salary,Rimborsare da Retribuzione DocType: Leave Application,LAP/,GIRO/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Richiesta di Pagamento contro {0} {1} per quantità {2} @@ -4028,18 +4045,18 @@ 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 +1011,It is needed to fetch Item Details.,E 'necessario per recuperare Dettagli elemento. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial No {0} è già stato ricevuto +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} è già stato ricevuto ,Requested Items To Be Transferred,Voci si chiede il trasferimento 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 +1312,Delete permanently?,Eliminare in modo permanente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Non valido {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Non valido {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sick Leave DocType: Email Digest,Email Digest,Email di Sintesi DocType: Delivery Note,Billing Address Name,Nome Indirizzo Fatturazione @@ -4052,6 +4069,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Addebitabile DocType: Company,Change Abbreviation,Change Abbreviazione DocType: Expense Claim Detail,Expense Date,Data Spesa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio DocType: Item,Max Discount (%),Sconto Max (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Ultimo ammontare ordine DocType: Task,Is Milestone,È Milestone @@ -4075,8 +4093,8 @@ DocType: Program Enrollment Tool,New Program,Nuovo programma DocType: Item Attribute Value,Attribute Value,Valore Attributo ,Itemwise Recommended Reorder Level,Itemwise consigliata riordino Livello DocType: Salary Detail,Salary Detail,stipendio Dettaglio -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Si prega di selezionare {0} prima -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Il lotto {0} di {1} scaduto. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Si prega di selezionare {0} prima +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Il lotto {0} di {1} scaduto. DocType: Sales Invoice,Commission,Commissione apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet per la produzione. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Sub Totale @@ -4101,12 +4119,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 +399,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 +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/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 +387,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 +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/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 @@ -4136,7 +4154,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Smaltimento Data DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Messaggi di posta elettronica verranno inviati a tutti i dipendenti attivi della società nell'ora dato, se non hanno le vacanze. Sintesi delle risposte verrà inviata a mezzanotte." DocType: Employee Leave Approver,Employee Leave Approver,Responsabile / Approvatore Ferie -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Non è possibile dichiarare come perduto, perché è stato fatto il Preventivo." 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 @@ -4169,6 +4187,7 @@ DocType: Announcement,Student,Alunno apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unità organizzativa ( dipartimento) master. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Inserisci nos mobili validi apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Inserisci il messaggio prima di inviarlo +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICARE PER IL FORNITORE DocType: Email Digest,Pending Quotations,In attesa di Citazioni apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profilo apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Si prega di aggiornare le impostazioni SMS @@ -4177,7 +4196,7 @@ DocType: Cost Center,Cost Center Name,Nome Centro di Costo DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max ore di lavoro contro Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Data prevista -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totale versato Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Totale versato Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messaggio maggiore di 160 caratteri verrà divisa in mesage multipla DocType: Purchase Receipt Item,Received and Accepted,Ricevuti e accettati ,GST Itemised Sales Register,GST Registro delle vendite specificato @@ -4187,7 +4206,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 +237,Your Suppliers,I Vostri Fornitori +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Non può dedurre quando categoria è per 'valutazione' o 'Vaulation e Total' @@ -4199,7 +4218,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Immagine {0} collegata alla voce {1} non può essere trovato +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. @@ -4208,13 +4227,13 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exi 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 -apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Valuta di fatturazione deve essere uguale alla valuta di valuta o conto del partito o di comapany di default +apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,La Valuta di fatturazione deve essere uguale alla valuta di default dell'azienda o del conto del Partner apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,lasciare Incasso apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Che cosa fa ? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Al Magazzino apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tutte le ammissioni degli studenti ,Average Commission Rate,Tasso medio di commissione -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Ha un numero di serie' non può essere 'Sì' per gli articoli non in scorta +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Ha un numero di serie' non può essere 'Sì' per gli articoli non in scorta apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,La Presenza non può essere inserita nel futuro DocType: Pricing Rule,Pricing Rule Help,Regola Prezzi Aiuto DocType: School House,House Name,Nome della casa @@ -4226,11 +4245,11 @@ DocType: Stock Entry,Total Value Difference (Out - In),Totale Valore Differenza apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Riga {0}: Tasso di cambio è obbligatorio apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID utente non impostato per Dipedente {0} DocType: Vehicle,Vehicle Value,Valore veicolo -DocType: Stock Entry,Default Source Warehouse,Deposito Origine Predefinito +DocType: Stock Entry,Default Source Warehouse,Magazzino di provenienza predefinito 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 +339,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 +340,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 @@ -4245,20 +4264,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Salario Slip of dipendente {0} già creato per foglio di tempo {1} DocType: Vehicle Log,Odometer,Odometro DocType: Sales Order Item,Ordered Qty,Quantità ordinato -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Articolo {0} è disattivato +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generare buste paga -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","L'acquisto deve essere controllato, se ""applicabile per"" bisogna selezionarlo come {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","L'acquisto deve essere controllato, se ""applicabile per"" bisogna selezionarlo come {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Sconto deve essere inferiore a 100 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 +500,Default BOM for {0} not found,Distinta Materiali predefinita per {0} non trovato -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Voucher Cost @@ -4317,7 +4336,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data prevista non può essere precedente Material Data richiesta DocType: Purchase Invoice Item,Stock Qty,Quantità di magazzino -DocType: Production Order,Source Warehouse (for reserving Items),Fonte Magazzino (per prenotare Articoli) DocType: Employee Loan,Repayment Period in Months,Il rimborso Periodo in mese apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Errore: Non è un documento di identità valido? DocType: Naming Series,Update Series Number,Aggiornamento Numero di Serie @@ -4365,12 +4383,12 @@ DocType: Production Order,Planned End Date,Data di fine pianificata apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Dove gli elementi vengono memorizzati. DocType: Request for Quotation,Supplier Detail,Dettaglio del Fornitore apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Errore nella formula o una condizione: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Importo fatturato +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Importo fatturato DocType: Attendance,Attendance,Presenze apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Articoli di magazzino DocType: BOM,Materials,Materiali DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se non controllati, la lista dovrà essere aggiunto a ciascun Dipartimento dove deve essere applicato." -apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Origine e la destinazione del magazzino non può essere lo stesso +apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Magazzino di Origine e di Destinazione non possono essere uguali apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Data e ora di registrazione sono obbligatori apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modelli fiscali per le transazioni di acquisto. ,Item Prices,Prezzi Articolo @@ -4381,7 +4399,7 @@ DocType: Task,Review Date,Data di revisione DocType: Purchase Invoice,Advance Payments,Pagamenti anticipati DocType: Purchase Taxes and Charges,On Net Total,Sul Totale Netto apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valore per l'attributo {0} deve essere all'interno della gamma di {1} a {2} nei incrementi di {3} per la voce {4} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Obiettivo Magazzino sulla riga {0} deve essere uguale a quello dell'ordine di produzione +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Magazzino di Destinazione sul rigo {0} deve essere uguale a quello dell'ordine di produzione apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Indirizzi email di notifica' non specificati per %s ricorrenti apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta non può essere modificata dopo aver fatto le voci utilizzando qualche altra valuta DocType: Vehicle Service,Clutch Plate,Frizione @@ -4405,10 +4423,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Imposta un semplice sito web per la mia organizzazione +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 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 +650,Please specify Attribute Value for attribute {0},Si prega di specificare Attributo Valore per l'attributo {0} +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} DocType: Item,Default Warehouse,Magazzino Predefinito apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Bilancio non può essere assegnato contro account gruppo {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Inserisci il centro di costo genitore @@ -4425,7 +4443,7 @@ DocType: Issue,ISS-,ISS- DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via rimborsi spese) DocType: GST Settings,GST Summary,Riepilogo GST DocType: Assessment Result,Total Score,Punteggio totale -DocType: Journal Entry,Debit Note,Nota Debito +DocType: Journal Entry,Debit Note,Nota di Debito DocType: Stock Entry,As per Stock UOM,Come per scorte UOM apps/erpnext/erpnext/stock/doctype/batch/batch_list.js +7,Not Expired,Non Scaduto DocType: Student Log,Achievement,Realizzazione @@ -4443,7 +4461,7 @@ apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions b apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Gruppo rotolo n DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lasciare vuoto se fai gruppi di studenti all'anno DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Se selezionato, non totale. di giorni lavorativi includerà vacanze, e questo ridurrà il valore di salario per ogni giorno" -DocType: Purchase Invoice,Total Advance,Totale Advance +DocType: Purchase Invoice,Total Advance,Totale Anticipo 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.,Il Data Terminologia fine non può essere anteriore alla data di inizio Term. Si prega di correggere le date e riprovare. apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Quot Count ,BOM Stock Report,BOM Stock Report @@ -4457,7 +4475,7 @@ DocType: Timesheet,Total Billable Hours,Totale ore fatturabili apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Nota Ricevuta di pagamento apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Questo si basa su operazioni contro questo cliente. Vedere cronologia sotto per i dettagli DocType: Supplier,Credit Days Based On,Giorni di credito in funzione -apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Riga {0}: importo assegnato {1} deve essere inferiore o uguale a Importo del pagamento Entry {2} +apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Riga {0}: l'importo assegnato {1} deve essere inferiore o uguale alImporto della registrazione di pagamento {2} ,Course wise Assessment Report,Rapporto di valutazione saggio DocType: Tax Rule,Tax Rule,Regola fiscale DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantenere la stessa velocità per tutto il ciclo di vendita @@ -4467,7 +4485,7 @@ 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 +1344,Select or add new customer,Selezionare o aggiungere nuovo cliente +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/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 @@ -4475,6 +4493,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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. @@ -4483,7 +4502,7 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 +252,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,Quantità Prodotto +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à apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} non esiste @@ -4497,7 +4516,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Listino Prezzi non trovato o disattivato +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4514,10 +4533,10 @@ apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Diario s DocType: Delivery Note Item,Available Qty at From Warehouse,Disponibile Quantità a partire Warehouse apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Si prega di selezionare i dipendenti Record prima. DocType: POS Profile,Account for Change Amount,Conto per quantità di modifica -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riga {0}: partito / Account non corrisponde con {1} / {2} {3} {4} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riga {0}: Partner / Account non corrisponde con {1} / {2} {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Inserisci il Conto uscite DocType: Account,Stock,Magazzino -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno di Ordine di Acquisto, fatture di acquisto o diario" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno di Ordine di Acquisto, fatture di acquisto o diario" DocType: Employee,Current Address,Indirizzo Corrente DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se l'articolo è una variante di un altro elemento poi descrizione, immagini, prezzi, tasse ecc verrà impostata dal modello se non espressamente specificato" DocType: Serial No,Purchase / Manufacture Details,Acquisto / Produzione Dettagli @@ -4531,11 +4550,11 @@ DocType: Pricing Rule,Min Qty,Qtà Min DocType: Asset Movement,Transaction Date,Transaction Data DocType: Production Plan Item,Planned Qty,Quantità prevista apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Totale IVA -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotto) è obbligatorio -DocType: Stock Entry,Default Target Warehouse,Deposito Destinazione Predefinito +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotte) è obbligatorio +DocType: Stock Entry,Default Target Warehouse,Magazzino di Destinazione Predefinito DocType: Purchase Invoice,Net Total (Company Currency),Totale Netto (Valuta Azienda) apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,La Data di fine anno non può essere anteriore alla data di inizio anno. Si prega di correggere le date e riprovare. -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,Riga {0}: Partito Tipo e partito si applica solo nei confronti Crediti / Debiti conto +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,Riga {0}: Tipo Partner e Partner si applica solo nei confronti a fronte dei Crediti / Debiti DocType: Notification Control,Purchase Receipt Message,Messaggio di Ricevuta di Acquisto DocType: BOM,Scrap Items,Scrap Articoli DocType: Production Order,Actual Start Date,Data inizio effettiva @@ -4555,11 +4574,12 @@ DocType: Student,Home Address,Indirizzo apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Trasferimento Asset DocType: POS Profile,POS Profile,POS Profilo DocType: Training Event,Event Name,Nome dell'evento -apps/erpnext/erpnext/config/schools.py +39,Admission,Ammissione +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Ammissione apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Ammissioni per {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","L'articolo {0} è un modello, si prega di selezionare una delle sue varianti" DocType: Asset,Asset Category,Asset Categoria +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Acquirente apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Retribuzione netta non può essere negativa DocType: SMS Settings,Static Parameters,Parametri statici DocType: Assessment Plan,Room,Camera @@ -4568,6 +4588,7 @@ DocType: Item,Item Tax,Tasse dell'Articolo apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale al Fornitore apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Gruppo cliente> Territorio DocType: Expense Claim,Employees Email Id,Email Dipendenti DocType: Employee Attendance Tool,Marked Attendance,Marca Presenza apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passività correnti @@ -4603,7 +4624,7 @@ apps/erpnext/erpnext/config/selling.py +179,Analytics,analitica apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,Carrello è Vuoto DocType: Vehicle,Model,Modello DocType: Production Order,Actual Operating Cost,Costo operativo effettivo -DocType: Payment Entry,Cheque/Reference No,Assegno / N. di riferimento +DocType: Payment Entry,Cheque/Reference No,N. di riferimento 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 @@ -4639,13 +4660,14 @@ DocType: Leave Type,Is Carry Forward,È Portare Avanti apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,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 apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Distinte materiali -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Riga {0}: Partito Tipo e Partito è necessario per Crediti / Debiti conto {1} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Riga {0}: Tipo Partner e Partner sono necessari per conto Crediti / Debiti {1} apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Data Rif DocType: Employee,Reason for Leaving,Motivo per Lasciare DocType: BOM Operation,Operating Cost(Company Currency),Costi di funzionamento (Società di valuta) diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv index 4c5fedd41d..25c6d4f453 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止中の製造指示をキャンセルすることはできません。キャンセルする前に停止解除してください +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,デフォルトサプライヤーを選択 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています +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 +808,Invoice,請求 DocType: Maintenance Schedule Item,Periodicity,周期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会計年度{0}が必要です @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,進行中の作業 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,日付を選択してください DocType: Employee,Holiday List,休日のリスト -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,会計士 +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,会計士 DocType: Cost Center,Stock User,在庫ユーザー DocType: Company,Phone No,電話番号 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,作成したコーススケジュール: @@ -110,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,親詳細文書名 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,kg DocType: Student Log,Log,ログ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,欠員 DocType: Item Attribute,Increment,増分 @@ -120,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 +42,Not permitted for {0},{0} は許可されていません apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,からアイテムを取得します -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,アイテムが見つかりません +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,請求明細 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,在庫レポート DocType: Warehouse,Warehouse Detail,倉庫の詳細 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},顧客{0}の与信限度額を超えました {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",資産レコードが項目に対して存在するように、オフにすることはできません「固定資産です」 +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/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,同名の顧客が存在します @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0}から{1}へ DocType: Item,Copy From Item Group,項目グループからコピーする DocType: Journal Entry,Opening Entry,エントリーを開く -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,アカウントペイのみ DocType: Employee Loan,Repay Over Number of Periods,期間数を超える返済 DocType: Stock Entry,Additional Costs,追加費用 @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,不動産 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,決算報告 +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,医薬品 DocType: Purchase Invoice Item,Is Fixed Asset,固定資産であります apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",利用可能な数量は{0}、あなたが必要とされている{1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,消耗品 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,上記の基準に基づいて、型製造の材料要求を引いて @@ -211,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 +143,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,例:基本的な数学 +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/config/hr.py +214,Settings for HR Module,人事モジュール設定 DocType: SMS Center,SMS Center,SMSセンター @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,アイテムと価格 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},合計時間:{0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},開始日は当会計年度内にする必要があります。(もしかして:開始日= {0}) +apps/erpnext/erpnext/hooks.py +87,Quotes,引用 DocType: Customer,Individual,個人 DocType: Interest,Academics User,学者ユーザー DocType: Cheque Print Template,Amount In Figure,図では量 @@ -265,7 +266,7 @@ DocType: Employee,Create User,ユーザーの作成 DocType: Selling Settings,Default Territory,デフォルト地域 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,TV DocType: Production Order Operation,Updated via 'Time Log',「時間ログ」から更新 -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません DocType: Naming Series,Series List for this Transaction,この取引のシリーズ一覧 DocType: Company,Enable Perpetual Inventory,永久在庫を有効にする DocType: Company,Default Payroll Payable Account,デフォルトの給与買掛金 @@ -273,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 +177,For Warehouse is required before Submit,提出前に必要とされる倉庫用 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save",localStorageがいっぱいになった、保存されませんでした +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,担当者名 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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の顧客グループ @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,退職日は入社日より後でなければなりません 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 +189,Warehouse {0} does not belong to company {1},倉庫{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 +270,Litre,リットル +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,休暇 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,銀行エントリー apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,年次 DocType: Stock Reconciliation Item,Stock Reconciliation Item,在庫棚卸アイテム @@ -315,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 +316,People who teach at your organisation,あなたの組織で教える人 +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,最小注文数量 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,ユーザーがレートの編集 DocType: Item,Publish in Hub,ハブに公開 DocType: Student Admission,Student Admission,学生の入学 ,Terretory,地域 -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,アイテム{0}をキャンセルしました +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,アイテム{0}をキャンセルしました apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,資材要求 DocType: Bank Reconciliation,Update Clearance Date,清算日の更新 DocType: Item,Purchase Details,仕入詳細 @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,フリートマネージャ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,循環参照エラー @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,支払エントリが変更されています。引用しなおしてください -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,アイテムの税金に{0}が2回入力されています +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,アイテムの税金に{0}が2回入力されています apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,今週と保留中の活動の概要 DocType: Student Applicant,Admitted,認められました DocType: Workstation,Rent Cost,地代・賃料 @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,%受領 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,学生グループを作成します。 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,セットアップはすでに完了しています! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,クレジットメモ金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,クレジットメモ金額 ,Finished Goods,完成品 DocType: Delivery Note,Instructions,説明書 DocType: Quality Inspection,Inspected By,検査担当 @@ -444,8 +445,9 @@ 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 +1456,Create a new Customer,新しい顧客を作成します。 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,セットアップ>ナンバリングシリーズで出席者のためにナンバリングシリーズを設定してください apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,発注書を作成します。 ,Purchase Register,仕入帳 DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -470,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。 +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +492,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,全製造プロセスの共通設定 DocType: Accounts Settings,Accounts Frozen Upto,凍結口座上限 DocType: SMS Log,Sent On,送信済 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,属性 {0} は属性表内で複数回選択されています +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,属性 {0} は属性表内で複数回選択されています DocType: HR Settings,Employee record is created using selected field. ,従業員レコードは選択されたフィールドを使用して作成されます。 DocType: Sales Order,Not Applicable,特になし apps/erpnext/erpnext/config/hr.py +70,Holiday master.,休日マスター @@ -525,7 +527,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 +219,List a few of your customers. They could be organizations or individuals.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。 +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +541,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,資材要求が発生する倉庫を入力してください DocType: Production Order,Additional Operating Cost,追加の営業費用 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,化粧品 -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",マージするには、両方のアイテムで次の属性が同じである必要があります。 +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",マージするには、両方のアイテムで次の属性が同じである必要があります。 DocType: Shipping Rule,Net Weight,正味重量 DocType: Employee,Emergency Phone,緊急電話 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,購入 @@ -548,7 +550,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 +2428,Serial no item cannot be a fraction,シリアル番号の項目は、分数ではできません +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,業務委託管理 @@ -567,7 +569,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,租税公課の追加/編集 DocType: Purchase Invoice,Supplier Invoice No,サプライヤー請求番号 DocType: Territory,For reference,参考のため -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",それは株式取引で使用されているように、{0}シリアル番号を削除することはできません +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",それは株式取引で使用されているように、{0}シリアル番号を削除することはできません apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),(貸方)を閉じる apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,アイテムを移動します DocType: Serial No,Warranty Period (Days),保証期間(日数) @@ -588,7 +590,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,最初の会社と当事者タイプを選択してください apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,会計年度 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累積値 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",シリアル番号をマージすることはできません +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",シリアル番号をマージすることはできません apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,受注を作成 DocType: Project Task,Project Task,プロジェクトタスク ,Lead Id,リードID @@ -608,6 +610,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,割当 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,販売返品 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,注:総割り当てられた葉を{0}の期間のためにすでに承認された葉{1}を下回ってはいけません +,Total Stock Summary,総株式サマリー DocType: Announcement,Posted By,投稿者 DocType: Item,Delivered by Supplier (Drop Ship),サプライヤーより配送済(ドロップシッピング) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,潜在顧客データベース @@ -616,7 +619,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,顧客データベ DocType: Quotation,Quotation To,見積先 DocType: Lead,Middle Income,中収益 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),開く(貸方) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,すでに別の測定単位でいくつかのトランザクションを行っているので、項目のデフォルトの単位は、{0}を直接変更することはできません。あなたは、異なるデフォルトのUOMを使用する新しいアイテムを作成する必要があります。 +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,すでに別の測定単位でいくつかのトランザクションを行っているので、項目のデフォルトの単位は、{0}を直接変更することはできません。あなたは、異なるデフォルトのUOMを使用する新しいアイテムを作成する必要があります。 apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,割当額をマイナスにすることはできません apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,会社を設定してください DocType: Purchase Order Item,Billed Amt,支払額 @@ -637,6 +640,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,マスター DocType: Assessment Plan,Maximum Assessment Score,最大の評価スコア apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,銀行取引日を更新 apps/erpnext/erpnext/config/projects.py +30,Time Tracking,タイムトラッキング +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,トランスポーラーとのデュプリケート DocType: Fiscal Year Company,Fiscal Year Company,会計年度(会社) DocType: Packing Slip Item,DN Detail,請求書詳細 DocType: Training Event,Conference,会議 @@ -676,8 +680,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 +320,Timesheet created:,タイムシートを作成しました: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,登録します DocType: GST Settings,GST Settings,GSTの設定 DocType: Selling Settings,Customer Naming By,顧客名設定 @@ -706,7 +710,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 +139,Finish,仕上げ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,仕上げ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,ベース DocType: Timesheet,Total Billed Hours,請求された総時間 DocType: Journal Entry,Write Off Amount,償却額 @@ -739,7 +743,7 @@ DocType: Hub Settings,Seller City,販売者の市区町村 ,Absent Student Report,不在学生レポート DocType: Email Digest,Next email will be sent on:,次のメール送信先: DocType: Offer Letter Term,Offer Letter Term,雇用契約書条件 -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,アイテムはバリエーションがあります +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,アイテムはバリエーションがあります apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,アイテム{0}が見つかりません DocType: Bin,Stock Value,在庫価値 apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,当社{0}は存在しません。 @@ -785,12 +789,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",複数の価格ルールは、同じ基準で存在し、優先順位を割り当てることにより、競合を解決してください。価格ルール:{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,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません 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 +48,Make Timesheet,タイムシートを作成します +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -855,13 +859,13 @@ 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,家族構成 DocType: Request for Quotation Supplier,Send Email,メールを送信 -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},注意:不正な添付ファイル{0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,権限がありませんん +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},注意:不正な添付ファイル{0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,権限がありませんん 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 +269,Nos,番号 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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}提出しなければなりません @@ -880,7 +884,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 +274,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,減価償却累計額を開きます @@ -968,14 +972,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,部品表{0}はアクティブでなければなりません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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}をキャンセルしなくてはなりません -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},アイテム {1} に関連付けが無いシリアル番号 {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},アイテム {1} に関連付けが無いシリアル番号 {0} DocType: Purchase Receipt Item Supplied,Required Qty,必要な数量 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,既存の取引に倉庫は元帳に変換することはできません。 DocType: Bank Reconciliation,Total Amount,合計 @@ -992,7 +996,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,コンポーネント apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},アイテムのアセットカテゴリを入力してください{0} DocType: Quality Inspection Reading,Reading 6,報告要素6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,することができません{0} {1} {2}任意の負の優れたインボイスなし +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,することができません{0} {1} {2}任意の負の優れたインボイスなし 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}とリンクすることができません @@ -1006,12 +1010,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 +731,New Sales Invoice,新しい売上請求書 +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,同期オフライン請求書 +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,同期オフライン請求書 DocType: Payment Request,Paid,支払済 DocType: Program Fee,Program Fee,プログラムの料金 DocType: Salary Slip,Total in words,合計の文字表記 @@ -1044,9 +1048,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,化学 DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,このモードが選択されている場合、デフォルト銀行/現金アカウントは自動的に給与仕訳に更新されます。 DocType: BOM,Raw Material Cost(Company Currency),原料コスト(会社通貨) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,アイテムは全てこの製造指示に移動されています。 +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 +270,Meter,メーター +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,メーター DocType: Workstation,Electricity Cost,電気代 DocType: HR Settings,Don't send Employee Birthday Reminders,従業員の誕生日リマインダを送信しないでください DocType: Item,Inspection Criteria,検査基準 @@ -1070,7 +1074,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 +452,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,バランス融資額 @@ -1078,7 +1082,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 +259,Qty for {0},{0}用数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,休暇リスト日付 @@ -1090,9 +1094,9 @@ DocType: Purchase Invoice,Cash/Bank Account,現金/銀行口座 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},{0}を指定してください apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,数量または値の変化のないアイテムを削除しました。 DocType: Delivery Note,Delivery To,納品先 -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,属性表は必須です +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,属性表は必須です DocType: Production Planning Tool,Get Sales Orders,注文を取得 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0}はマイナスにできません +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0}はマイナスにできません apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,割引 DocType: Asset,Total Number of Depreciations,減価償却の合計数 DocType: Sales Invoice Item,Rate With Margin,利益率 @@ -1128,7 +1132,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 +1546,ZIP Code,郵便番号 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,在庫エントリを作成 @@ -1146,7 +1150,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,サプライヤーの一部を一覧表示します。彼らは、組織や個人である可能性があります。 +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1170,7 +1174,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,販売代理店 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ショッピングカート出荷ルール apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,受注キャンセルには製造指示{0}のキャンセルをしなければなりません -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',設定」で追加の割引を適用」してください +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,範囲開始は範囲終了よりも小さくなければなりません DocType: Global Defaults,Global Defaults,共通デフォルト設定 @@ -1178,10 +1182,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 +22,First 2 digits of GSTIN should match with State number {0},GSTINの最初の2桁は州番号{0}と一致する必要があります +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,キャパシティプランニングのエラー +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,キャパシティプランニングのエラー ,Trial Balance for Party,当事者用の試算表 DocType: Lead,Consultant,コンサルタント DocType: Salary Slip,Earnings,収益 @@ -1200,7 +1204,7 @@ DocType: Purchase Invoice,Is Return,返品 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,リターン/デビットノート DocType: Price List Country,Price List Country,価格表内の国 DocType: Item,UOMs,数量単位 -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},アイテム {1} の有効なシリアル番号 {0} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},アイテム {1} の有効なシリアル番号 {0} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,アイテムコードはシリアル番号に付け替えることができません apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POSプロファイル {0} はユーザー:{1} ・会社 {2} で作成済です DocType: Sales Invoice Item,UOM Conversion Factor,数量単位の変換係数 @@ -1210,7 +1214,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 +675,Cost Center For Item with Item Code ',アイテムコードのあるアイテムのためのコストセンター -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",アカウントはさらにグループの下に作成できますが、エントリは非グループに対して作成できます @@ -1251,7 +1255,7 @@ 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,元帳の表示 DocType: Grading Scale,Intervals,インターバル apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,最初 -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",同名のアイテムグループが存在しますので、アイテム名を変えるか、アイテムグループ名を変更してください +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,アイテム{0}はバッチを持てません @@ -1279,7 +1283,7 @@ 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 +288,Example: Masters in Computer Science,例:コンピュータサイエンスの修士 +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,例:コンピュータサイエンスの修士 DocType: Purchase Invoice,Rejected Warehouse,拒否された倉庫 DocType: GL Entry,Against Voucher,対伝票 DocType: Item,Default Buying Cost Center,デフォルト購入コストセンター @@ -1290,7 +1294,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,受注{0}は有効ではありません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1308,14 +1312,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,発生場所 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,契約書 DocType: Email Digest,Add Quote,引用を追加 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},アイテム{1}の{0}には数量単位変換係数が必要です +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},アイテム{1}の{0}には数量単位変換係数が必要です 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 +736,Sync Master Data,同期マスタデータ -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,あなたの製品またはサービス +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,あなたの製品またはサービス DocType: Mode of Payment,Mode of Payment,支払方法 -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,これは、ルートアイテムグループであり、編集することはできません。 @@ -1332,14 +1336,13 @@ 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 +562,Delivery Note {0} is not submitted,納品書{0}は提出されていません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",価格設定ルールは、「適用」フィールドに基づき、アイテム、アイテムグループ、ブランドとすることができます。 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でなければなりません -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},製造指示のステータスは{0}です DocType: Appraisal Goal,Goal,目標 DocType: Sales Invoice Item,Edit Description,説明編集 ,Team Updates,チームのアップデート @@ -1355,14 +1358,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,子供の倉庫は、この倉庫のために存在します。あなたはこの倉庫を削除することはできません。 DocType: Item,Website Item Groups,ウェブサイトのアイテムグループ DocType: Purchase Invoice,Total (Company Currency),計(会社通貨) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,シリアル番号{0}は複数回入力されています +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 +78,{0} items in progress,進行中の{0}アイテム +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,この接頭辞が付いた最新の取引番号です @@ -1420,7 +1423,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,ブートストラップ 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,7 +1435,7 @@ 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 +260,Max: {0},最大:{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,通信ログ。 @@ -1443,7 +1445,7 @@ DocType: Sales Invoice,Shipping Address Name,配送先住所 apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,勘定科目表 DocType: Material Request,Terms and Conditions Content,規約の内容 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100を超えることはできません -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,アイテム{0}は在庫アイテムではありません +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,アイテム{0}は在庫アイテムではありません DocType: Maintenance Visit,Unscheduled,スケジュール解除済 DocType: Employee,Owned,所有済 DocType: Salary Detail,Depends on Leave Without Pay,無給休暇に依存 @@ -1475,7 +1477,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 +273,We buy this Item,このアイテムを購入する +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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残高を表示 @@ -1486,7 +1488,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 +266,Sub Assemblies,組立部品 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,組立部品 DocType: Asset,Asset Name,資産名 DocType: Project,Task Weight,タスクの重さ DocType: Shipping Rule Condition,To Value,値 @@ -1519,12 +1521,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ソース 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 +239,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,支払テーブルにレコードが見つかりません apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},この{2} {3}の{1}と{0}競合 DocType: Student Attendance Tool,Students HTML,学生HTML DocType: POS Profile,Apply Discount,割引を適用します -DocType: Purchase Invoice Item,GST HSN Code,GST HSNコード +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 +283,Packing Slip(s) cancelled,梱包伝票(S)をキャンセル @@ -1568,8 +1570,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 +2573,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,箱 +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 +873,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,受領者リストが空です。受領者リストを作成してください @@ -1598,7 +1600,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,返済方法 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",チェックした場合、[ホーム]ページは、Webサイトのデフォルトの項目のグループになります DocType: Quality Inspection Reading,Reading 4,報告要素4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0}プロジェクト{1}が見つかりませんの既定BOM 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}小切手日前にすることはできません @@ -1615,29 +1616,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,新しい仕事 apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,見積を作成 apps/erpnext/erpnext/config/selling.py +216,Other Reports,その他のレポート DocType: Dependent Task,Dependent Task,依存タスク -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},デフォルト数量単位は、行{0}の1でなければなりません +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},デフォルト数量単位は、行{0}の1でなければなりません 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} DocType: SMS Center,Receiver List,受領者リスト -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,探索項目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,すでに完了 +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/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 +263,Quantity must not be more than {0},数量は{0}以下でなければなりません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,アカウント名 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,開始日は終了日より後にすることはできません -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,シリアル番号 {0}は量{1}の割合にすることはできません +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,シリアル番号 {0}は量{1}の割合にすることはできません apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,サプライヤータイプマスター 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にすることはできません @@ -1645,6 +1646,7 @@ 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: Delivery Note,Vehicle Dispatch Date,配車日 +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,領収書{0}は提出されていません DocType: Company,Default Payable Account,デフォルト買掛金勘定 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",オンラインショッピングカート設定(出荷ルール・価格表など) @@ -1699,7 +1701,7 @@ DocType: Sales Invoice,Packed Items,梱包済アイテム apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,シリアル番号に対する保証請求 DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","使用されている他のすべての部品表内で、各部品表を交換してください。 古い部品表のリンクが交換され、費用を更新して新しい部品表の通り「部品表展開項目」テーブルを再生成します" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',「合計」 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',「合計」 DocType: Shopping Cart Settings,Enable Shopping Cart,ショッピングカートを有効にする DocType: Employee,Permanent Address,本籍地 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1734,6 +1736,7 @@ DocType: Material Request,Transferred,転送された DocType: Vehicle,Doors,ドア apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNextのセットアップが完了! DocType: Course Assessment Criteria,Weightage,重み付け +DocType: Sales 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,"同じ名前の顧客グループが存在します @@ -1754,7 +1757,7 @@ 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 +699,Offline,オフライン +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 +1773,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,メイン apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,バリエーション DocType: Naming Series,Set prefix for numbering series on your transactions,取引に連番の接頭辞を設定 DocType: Employee Attendance Tool,Employees HTML,従業員HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません DocType: Employee,Leave Encashed?,現金化された休暇? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機会元フィールドは必須です DocType: Email Digest,Annual Expenses,年間費用 @@ -1783,7 +1786,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 +175,Work-in-Progress Warehouse is required before Submit,提出する前に作業中の倉庫が必要です +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,7 +1794,7 @@ DocType: Item,Serial Nos and Batches,シリアル番号とバッチ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生グループの強み apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,対仕訳{0}に該当しないエントリ{1} apps/erpnext/erpnext/config/hr.py +137,Appraisals,査定 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},アイテム{0}に入力されたシリアル番号は重複しています +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}。過剰請求を許可するには、[設定]を購入するに設定してください @@ -1800,7 +1803,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,部品表{0}を登録しなければなりません +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,支払 @@ -1819,12 +1822,12 @@ 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 +257,"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 +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.",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。 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: Asset Movement,Asset Movement,アセット・ムーブメント -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,新しいカート +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,車輪 @@ -1850,7 +1853,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,領収書からアイテムを取得 DocType: Serial No,Creation Date,作成日 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},アイテム{0}が価格表{1}に複数回表れています -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",「適用先」に{0}が選択された場合、「販売」にチェックを入れる必要があります +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",「適用先」に{0}が選択された場合、「販売」にチェックを入れる必要があります DocType: Production Plan Material Request,Material Request Date,資材要求日 DocType: Purchase Order Item,Supplier Quotation Item,サプライヤー見積アイテム DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,製造指示に対する時間ログの作成を無効にします。作業は製造指図を追跡しません @@ -1866,12 +1869,12 @@ DocType: Supplier,Supplier of Goods or Services.,物品やサービスのサプ DocType: Budget,Fiscal Year,会計年度 DocType: Vehicle Log,Fuel Price,燃料価格 DocType: Budget,Budget,予算 -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,固定資産の項目は非在庫項目でなければなりません。 +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 +209,e.g. 5,例「5」 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1883,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 +263,A Product or Service,製品またはサービス +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,現在の値 @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,組 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,組 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,生産のためのBOMと数量を選択 DocType: Asset,Depreciation Schedule,減価償却スケジュール apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,セールスパートナーのアドレスと連絡先 @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},アイテム{0}のアイテムマスターにはアイテムグループが記載されていません -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません +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,借方計上は売掛金勘定でなければなりません DocType: Shipping Rule Condition,Shipping Amount,出荷量 -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,顧客を追加する +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,納品済 @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,売掛金 ,Supplier-Wise Sales Analytics,サプライヤーごとのセールス分析 apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,有料金額を入力してください DocType: Salary Structure,Select employees for current Salary Structure,現在の給与構造のための従業員を選択 +DocType: Sales Invoice,Company Address Name,会社名住所 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)",親コース(親コースの一部でない場合は空欄にしてください) @@ -2012,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 +269,Unit,単位 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2037,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは受注、納品書や仕訳のいずれかでなければなりません +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}:時間との時間からは必須です。 DocType: Stock Reconciliation Item,Amount Difference,量差 @@ -2042,7 +2046,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,地域別の顧客の分類 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,差額はゼロでなければなりません DocType: Project,Gross Margin,売上総利益 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,最初の生産アイテムを入力してください +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 +748,Quotation,見積 @@ -2054,7 +2058,7 @@ 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: Opportunity,Customer / Lead Address,顧客/リード住所 -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},注意:添付ファイル{0}のSSL証明書が無効です +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},注意:添付ファイル{0}のSSL証明書が無効です DocType: Student Admission,Eligibility,適格性 apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",リードは、あなたのリードとしてすべての連絡先などを追加、あなたがビジネスを得るのを助けます DocType: Production Order Operation,Actual Operation Time,実作業時間 @@ -2073,11 +2077,11 @@ DocType: Appraisal,Calculate Total Score,合計スコアを計算 DocType: Request for Quotation,Manufacturing Manager,製造マネージャー apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},シリアル番号{0}は {1}まで保証期間内です apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,梱包ごとに納品書を分割 -apps/erpnext/erpnext/hooks.py +87,Shipments,出荷 +apps/erpnext/erpnext/hooks.py +94,Shipments,出荷 DocType: Payment Entry,Total Allocated Amount (Company Currency),総配分される金額(会社通貨) DocType: Purchase Order Item,To be delivered to customer,顧客に配信します DocType: BOM,Scrap Material Cost,スクラップ材料費 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,シリアル番号{0}はどこの倉庫にも属していません +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,シリアル番号{0}はどこの倉庫にも属していません DocType: Purchase Invoice,In Words (Company Currency),文字表記(会社通貨) DocType: Asset,Supplier,サプライヤー DocType: C-Form,Quarter,四半期 @@ -2091,11 +2095,10 @@ DocType: Employee Loan,Employee Loan Account,従業員のローンアカウン DocType: Leave Application,Total Leave Days,総休暇日数 DocType: Email Digest,Note: Email will not be sent to disabled users,注意:ユーザーを無効にするとメールは送信されなくなります apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,インタラクション数 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド 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 +408,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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つの行から選択してください @@ -2137,7 +2140,8 @@ 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) DocType: Expense Claim Detail,Expense Claim Detail,経費請求の詳細 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,正しいアカウントを選択してください +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,サプライヤのためにTRIPLICATE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,正しいアカウントを選択してください DocType: Item,Weight UOM,重量単位 DocType: Salary Structure Employee,Salary Structure Employee,給与構造の従業員 DocType: Employee,Blood Group,血液型 @@ -2159,7 +2163,7 @@ DocType: Student,Guardians,ガーディアン 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 +336,Debit To is required,デビットへが必要とされます +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,雇用契約条件 @@ -2172,7 +2176,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},総未払い:{0} DocType: BOM Website Operation,BOM Website Operation,BOMウェブサイトの運用 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,雇用契約書 apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,資材要求(MRP)と製造指示を生成 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,請求額合計 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,請求額合計 DocType: BOM,Conversion Rate,変換速度 apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,商品検索 DocType: Timesheet Detail,To Time,終了時間 @@ -2186,7 +2190,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,トレーニングイベント従業員 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,アイテム {1} には {0} 件のシリアル番号が必要です。{2} 件指定されています +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,アイテム {1} には {0} 件のシリアル番号が必要です。{2} 件指定されています DocType: Stock Reconciliation Item,Current Valuation Rate,現在の評価額 DocType: Item,Customer Item Codes,顧客アイテムコード apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,取引利益/損失 @@ -2233,7 +2237,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 +2454,Select Batch No,バッチ番号を選択 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,前払額 @@ -2257,19 +2261,19 @@ DocType: Leave Block List,Allow Users,ユーザーを許可 DocType: Purchase Order,Customer Mobile No,顧客携帯電話番号 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,製品の業種や部門ごとに個別の収益と費用を追跡します DocType: Rename Tool,Rename Tool,ツール名称変更 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,費用更新 +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 +438,Show Salary Slip,ショー給与スリップ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,保存した後、繰り返し設定をしてください -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,変化量のアカウントを選択 +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,保存した後、繰り返し設定をしてください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,税金を追加 +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,予算アカウント @@ -2281,6 +2285,7 @@ DocType: Stock Entry,Purchase Receipt No,領収書番号 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,手付金 DocType: Process Payroll,Create Salary Slip,給与伝票を作成する apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,トレーサビリティ +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SACコード 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,従業員 @@ -2310,7 +2315,7 @@ DocType: Employee Education,Post Graduate,卒業後 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,メンテナンス予定詳細 DocType: Quality Inspection Reading,Reading 9,報告要素9 DocType: Supplier,Is Frozen,凍結 -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,グループノード倉庫が取引のために選択することが許可されていません +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,グループノード倉庫が取引のために選択することが許可されていません DocType: Buying Settings,Buying Settings,購入設定 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,完成品アイテムの部品表番号 DocType: Upload Attendance,Attendance To Date,出勤日 @@ -2325,13 +2330,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",請求書は、ドロップシッピングの項目を含む、株式を更新できませんでした。 +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.js +153,You can not change rate if BOM mentioned agianst any item,アイテムに対して部品表が記載されている場合は、レートを変更することができません +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,数量 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},アイテム{0}行{1}に予定数量を入力してください @@ -2353,7 +2358,7 @@ DocType: Authorization Rule,Authorized Value,許可値 DocType: BOM,Show Operations,表示操作 ,Minutes to First Response for Opportunity,機会のためのファースト・レスポンス分 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,欠席計 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,数量単位 DocType: Fiscal Year,Year End Date,年終日 DocType: Task Depends On,Task Depends On,依存するタスク @@ -2451,7 +2456,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},受注数{1}より多くのアイテム{0}を製造することはできません +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/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,次の接触によっては、リードメールアドレスと同じにすることはできません @@ -2547,9 +2552,9 @@ 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 +789,"LocalStorage is full, did not save",localStorageがいっぱいになった、保存されませんでした +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,参照 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,参照 DocType: Budget,Cost Center,コストセンター apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,伝票番号 DocType: Notification Control,Purchase Order Message,発注メッセージ @@ -2565,7 +2570,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 +1165,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,在庫設定 @@ -2584,7 +2589,7 @@ DocType: Project,Task Completion,タスク完了 apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,在庫にありません DocType: Appraisal,HR User,人事ユーザー DocType: Purchase Invoice,Taxes and Charges Deducted,租税公課控除 -apps/erpnext/erpnext/hooks.py +116,Issues,課題 +apps/erpnext/erpnext/hooks.py +124,Issues,課題 apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},ステータスは{0}のどれかでなければなりません DocType: Sales Invoice,Debit To,借方計上 DocType: Delivery Note,Required only for sample item.,サンプルアイテムにのみ必要です @@ -2613,6 +2618,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,地域 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,必要な訪問の数を記述してください DocType: Stock Settings,Default Valuation Method,デフォルト評価方法 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,費用 DocType: Vehicle Log,Fuel Qty,燃料数量 DocType: Production Order Operation,Planned Start Time,計画開始時間 DocType: Course,Assessment,評価 @@ -2622,12 +2628,12 @@ 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 +149,Quotation {0} is cancelled,見積{0}はキャンセルされました -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,残高合計 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,残高合計 DocType: Sales Partner,Targets,ターゲット DocType: Price List,Price List Master,価格表マスター DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,すべての販売取引について、複数の「営業担当者」に対するタグを付けることができるため、これによって目標を設定しチェックすることができます。 ,S.O. No.,受注番号 -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},リード{0}から顧客を作成してください +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},リード{0}から顧客を作成してください DocType: Price List,Applicable for Countries,国に適用 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,「承認済み」と「拒否」に提出することができる状態でアプリケーションをのみを残します apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},学生グループ名は、行で必須です{0} @@ -2675,6 +2681,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/config/hr.py +163,Define various loan types,様々なローンのタイプを定義します DocType: Bin,FCFS Rate,FCFSレート DocType: Payment Reconciliation Invoice,Outstanding Amount,残高 @@ -2717,8 +2724,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,製造用資材移送 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.,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。 DocType: Purchase Invoice,Half-yearly,半年ごと apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,在庫の会計エントリー +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,既に評価基準{}を評価しています。 DocType: Vehicle Service,Engine Oil,エンジンオイル -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,従業員ネーミングシステムの人事管理>人事管理の設定 DocType: Sales Invoice,Sales Team1,販売チーム1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,アイテム{0}は存在しません DocType: Sales Invoice,Customer Address,顧客の住所 @@ -2746,7 +2753,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,組織内で別々の勘定科目を持つ法人/子会社 DocType: Payment Request,Mute Email,ミュートメール apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",食品、飲料&タバコ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,手数料率は、100を超えることはできません。 DocType: Stock Entry,Subcontract,下請 apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,先に{0}を入力してください @@ -2774,7 +2781,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,学生月次出席シート apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},従業員{0}は{2} と{3}の間の{1}を既に申請しています apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,プロジェクト開始日 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,まで +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,まで DocType: Rename Tool,Rename Log,ログ名称変更 apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,学生グループまたはコーススケジュールは必須です DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,タイムシート上の同じ課金時間と労働時間を維持 @@ -2798,7 +2805,7 @@ DocType: Purchase Order Item,Returned Qty,返品数量 DocType: Employee,Exit,終了 apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ルートタイプが必須です DocType: BOM,Total Cost(Company Currency),総コスト(会社通貨) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,シリアル番号 {0}を作成しました +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,シリアル番号 {0}を作成しました DocType: Homepage,Company Description for website homepage,ウェブサイトのホームページのための会社説明 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",これらのコードは、顧客の便宜のために、請求書および納品書等の印刷形式で使用することができます apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier名前 @@ -2818,7 +2825,7 @@ DocType: SMS Settings,SMS Gateway URL,SMSゲートウェイURL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,コーススケジュールを削除します: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMSの配信状態を維持管理するためのログ DocType: Accounts Settings,Make Payment via Journal Entry,仕訳を経由して支払いを行います -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,上に印刷 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,上に印刷 DocType: Item,Inspection Required before Delivery,配達前に必要な検査 DocType: Item,Inspection Required before Purchase,購入する前に必要な検査 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,保留中の活動 @@ -2850,9 +2857,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生バ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,リミットクロス apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,この「アカデミックイヤー '{0}と{1}はすでに存在している「中期名」との学術用語。これらのエントリを変更して、もう一度お試しください。 -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",項目{0}に対する既存のトランザクションがあるとして、あなたは{1}の値を変更することはできません +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}",項目{0}に対する既存のトランザクションがあるとして、あなたは{1}の値を変更することはできません DocType: UOM,Must be Whole Number,整数でなければなりません DocType: Leave Control Panel,New Leaves Allocated (In Days),新しい有給休暇(日数) +DocType: Sales Invoice,Invoice Copy,請求書のコピー apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,シリアル番号 {0}は存在しません DocType: Sales Invoice Item,Customer Warehouse (Optional),顧客倉庫(オプション) DocType: Pricing Rule,Discount Percentage,割引率 @@ -2897,8 +2905,10 @@ 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 +305,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,減価償却累計額勘定 DocType: Stock Settings,Freeze Stock Entries,凍結在庫エントリー +DocType: Program Enrollment,Boarding Student,搭乗学生 DocType: Asset,Expected Value After Useful Life,残存価額 DocType: Item,Reorder level based on Warehouse,倉庫ごとの再注文レベル DocType: Activity Cost,Billing Rate,請求単価 @@ -2925,11 +2935,11 @@ DocType: Serial No,Warranty / AMC Details,保証/ 年間保守契約の詳細 apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,アクティビティベースのグループの学生を手動で選択する DocType: Journal Entry,User Remark,ユーザー備考 DocType: Lead,Market Segment,市場区分 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},有料額は合計マイナスの残高を超えることはできません{0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},有料額は合計マイナスの残高を超えることはできません{0} DocType: Employee Internal Work History,Employee Internal Work History,従業員の入社後の職歴 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),(借方)を閉じる DocType: Cheque Print Template,Cheque Size,小切手サイズ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,シリアル番号{0}は在庫切れです +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,シリアル番号{0}は在庫切れです apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,販売取引用の税のテンプレート DocType: Sales Invoice,Write Off Outstanding Amount,未償却残額 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},アカウント{0}は会社{1}と一致しません @@ -2953,7 +2963,7 @@ 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 +348,Add a few sample records,いくつかのサンプルレコードを追加 +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,全て納品済 @@ -2967,17 +2977,17 @@ 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 +418,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,顧客の購入注文 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,シリアル番号とバッチ DocType: Warranty Claim,From Company,会社から -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,評価基準のスコアの合計は{0}にする必要があります。 +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,評価基準のスコアの合計は{0}にする必要があります。 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 +270,Minute,分 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,分 DocType: Purchase Invoice,Purchase Taxes and Charges,購入租税公課 ,Qty to Receive,受領数 DocType: Leave Block List,Leave Block List Allowed,許可済休暇リスト @@ -2997,7 +3007,7 @@ DocType: Production Order,PRO-,プロ- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,銀行当座貸越口座 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,給与伝票を作成 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行番号{0}:割り当て金額は未払い金額より大きくすることはできません。 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,部品表(BOM)を表示 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,部品表(BOM)を表示 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,担保ローン DocType: Purchase Invoice,Edit Posting Date and Time,編集転記日付と時刻 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},資産カテゴリー{0}または当社との減価償却に関連するアカウントを設定してください。{1} @@ -3013,7 +3023,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 +278,Select Quantity,数量を選択 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,このメールダイジェストから解除 @@ -3036,6 +3046,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},{0}よりも古い在庫取引を更新することはできません DocType: Purchase Invoice Item,PR Detail,PR詳細 DocType: Sales Order,Fully Billed,全て記帳済 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,サプライヤ>サプライヤタイプ 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 +127,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),梱包の総重量は通常、正味重量+梱包材重量です (印刷用) @@ -3073,8 +3084,9 @@ 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}は提出されていません DocType: Customs Tariff Number,Tariff Number,関税番号 +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP倉庫で利用可能な数量 apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,予想 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},倉庫 {1} に存在しないシリアル番号 {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},倉庫 {1} に存在しないシリアル番号 {0} 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,注:アイテム{0}の数量が0であるため、システムは超過納品や超過注文をチェックしません。 DocType: Notification Control,Quotation Message,見積メッセージ DocType: Employee Loan,Employee Loan Application,従業員の融資申し込み @@ -3092,13 +3104,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,陸揚費用伝票額 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,サプライヤーからの請求 DocType: POS Profile,Write Off Account,償却勘定 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,デビットノートアム +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,デビットノートアム apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,割引額 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 +207,e.g. VAT,例「付加価値税(VAT)」 +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,サブ契約 @@ -3106,7 +3118,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 +1945,Please select customer,顧客を選択してください +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,顧客を選択してください DocType: C-Form,I,私 DocType: Company,Asset Depreciation Cost Center,資産減価償却コストセンター DocType: Sales Order Item,Sales Order Date,受注日 @@ -3135,7 +3147,7 @@ DocType: Lead,Address Desc,住所種別 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,党は必須です DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,トピック名 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,販売または購入のいずれかを選択する必要があります +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,販売または購入のいずれかを選択する必要があります apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,あなたのビジネスの性質を選択します。 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},行番号{0}:参照{1}の重複エントリ{2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,製造作業が行なわれる場所 @@ -3144,7 +3156,7 @@ 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} DocType: Employee,Confirmation Date,確定日 DocType: C-Form,Total Invoiced Amount,請求額合計 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません DocType: Account,Accumulated Depreciation,減価償却累計額 DocType: Stock Entry,Customer or Supplier Details,顧客またはサプライヤー詳細 DocType: Employee Loan Application,Required by Date,日によって必要とされます @@ -3173,10 +3185,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,発注アイ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,会社名は、当社にすることはできません apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,印刷テンプレートのレターヘッド。 apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,印刷テンプレートのタイトル(例:「見積送り状」) +DocType: Program Enrollment,Walking,ウォーキング DocType: Student Guardian,Student Guardian,学生ガーディアン apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,評価タイプの請求は「包括的」にマークすることはえきません DocType: POS Profile,Update Stock,在庫更新 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,サプライヤ>サプライヤタイプ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,アイテムごとに数量単位が異なると、(合計)正味重量値が正しくなりません。各アイテムの正味重量が同じ単位になっていることを確認してください。 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,部品表通貨レート DocType: Asset,Journal Entry for Scrap,スクラップ用の仕訳 @@ -3228,7 +3240,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,表示減税アップ apps/erpnext/erpnext/accounts/party.py +308,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,いいえ学生は見つかりませんでした @@ -3247,14 +3258,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,学生はいない +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 +108,Please enter 'Expected Delivery Date',「納品予定日」を入力してください apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,登録されていないGSTINが無効またはNAを入力してください +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3295,23 @@ DocType: Sales Team,Contribution (%),寄与度(%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:「現金または銀行口座」が指定されていないため、支払エントリが作成されません apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,責任 DocType: Expense Claim Account,Expense Claim Account,経費請求アカウント +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,セットアップ>設定>ネーミングシリーズで{0}のネーミングシリーズを設定してください 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,ユーザー追加 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以上にすることはできません。 DocType: Stock Reconciliation Item,Before reconciliation,照合前 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),租税公課が追加されました。(報告通貨) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテムごとの税の行{0}では、勘定タイプ「税」「収入」「経費」「支払」のいずれかが必要です +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテムごとの税の行{0}では、勘定タイプ「税」「収入」「経費」「支払」のいずれかが必要です DocType: Sales Order,Partly Billed,一部支払済 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,アイテムは、{0}固定資産項目でなければなりません DocType: Item,Default BOM,デフォルト部品表 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,デビットノート金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,デビットノート金額 apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,確認のため会社名を再入力してください -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,残高合計 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,残高合計 DocType: Journal Entry,Printing Settings,印刷設定 DocType: Sales Invoice,Include Payment (POS),支払いを含める(POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},借方合計は貸方合計に等しくなければなりません。{0}の差があります。 @@ -3306,19 +3319,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,自動 DocType: Vehicle,Insurance Company,保険会社 DocType: Asset Category Account,Fixed Asset Account,固定資産勘定 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,変数 -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,納品書から +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,納品書から DocType: Student,Student Email Address,学生のメールアドレス DocType: Timesheet Detail,From Time,開始時間 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,在庫あり: DocType: Notification Control,Custom Message,カスタムメッセージ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,投資銀行 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,セットアップ>ナンバリングシリーズで出席者のためにナンバリングシリーズを設定してください apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生の住所 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 +1517,Address Name,アドレス名称 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,アドレス名称 DocType: Stock Entry,From BOM,参照元部品表 DocType: Assessment Code,Assessment Code,評価コード apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本 @@ -3335,7 +3347,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。あなたがネットワークを持ってまで、リロードすることができません。 +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/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,毎月返済額は融資額を超えることはできません @@ -3343,7 +3355,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,入力値は正でなければなりません +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,学生はすでに登録されています。 @@ -3352,7 +3364,7 @@ DocType: Process Payroll,Process Payroll,給与支払 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,休日数が月営業日数を上回っています DocType: Product Bundle Item,Product Bundle Item,製品付属品アイテム DocType: Sales Partner,Sales Partner Name,販売パートナー名 -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,見積依頼 +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,見積依頼 DocType: Payment Reconciliation,Maximum Invoice Amount,最大請求額 DocType: Student Language,Student Language,学生の言語 apps/erpnext/erpnext/config/selling.py +23,Customers,顧客 @@ -3362,7 +3374,7 @@ DocType: Asset,Partially Depreciated,部分的に減価償却 DocType: Issue,Opening Time,「時間」を開く apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,期間日付が必要です apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,証券・商品取引所 -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります +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 +847,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムいいえ @@ -3380,7 +3392,7 @@ 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 +266,Raw Material,原材料 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,割引後の税額 @@ -3392,7 +3404,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,開始日は終了日より前でなければなりません -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,セットアップ>設定>ネーミングシリーズで{0}のネーミングシリーズを設定してください 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.,この部門のために休暇期間指定されている日 @@ -3404,8 +3415,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリーが「評価」や「評価と合計」である場合は控除することができません -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},アイテム{0}には複数のシリアル番号が必要です +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/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,銀行取引記帳 DocType: Authorization Rule,Applicable To (Designation),(肩書)に適用 @@ -3422,7 +3433,7 @@ 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 +270,Hour,時 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,休暇申請を承認する権限がありません @@ -3432,7 +3443,7 @@ 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 +645,Point of Sale,POS +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,POS DocType: Payment Entry,Received Amount,受け取った金額 DocType: GST Settings,GSTIN Email Sent On,GSTINメールが送信されました DocType: Program Enrollment,Pick/Drop by Guardian,ガーディアンによるピック/ドロップ @@ -3447,8 +3458,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 +270,Gram,グラム -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません +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/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単位の受領を許可されます。 @@ -3473,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 +465,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,7 +3523,7 @@ 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 +436,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です DocType: Leave Allocation,Unused leaves,未使用の休暇 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,貸方 DocType: Tax Rule,Billing State,請求状況 @@ -3559,7 +3570,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},無効な属性{0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',「すべての評価グループ」以外の評価グループを選択してください @@ -3657,16 +3668,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,給与コンポーネ DocType: Program Enrollment Tool,New Academic Year,新学期 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,リターン/クレジットノート DocType: Stock Settings,Auto insert Price List rate if missing,空の場合価格表の単価を自動挿入 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,支出額合計 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,支出額合計 DocType: Production Order Item,Transferred Qty,移転数量 apps/erpnext/erpnext/config/learn.py +11,Navigating,ナビゲート 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 +272,We sell this Item,このアイテムを売る +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,サンプルデータ 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,半日日 @@ -3714,7 +3727,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 +1186,Please set Company,会社を設定してください +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,会社を設定してください DocType: Pricing Rule,Buying,購入 DocType: HR Settings,Employee Records to be created by,従業員レコード作成元 DocType: POS Profile,Apply Discount On,割引の適用 @@ -3730,13 +3743,14 @@ 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,料金を徴収 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},バーコード{0}はアイテム{1}で使用済です +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},バーコード{0}はアイテム{1}で使用済です DocType: Lead,Add to calendar on this date,この日付でカレンダーに追加 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,送料を追加するためのルール DocType: Item,Opening Stock,期首在庫 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,顧客が必要です apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,返品には {0} が必須です DocType: Purchase Order,To Receive,受領する +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,個人メールアドレス apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,派生の合計 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",有効にすると、システムは自動的に在庫の会計エントリーを投稿します @@ -3747,7 +3761,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 +541,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,標準販売 @@ -3755,7 +3769,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,保証外 DocType: BOM Replace Tool,Replace,置き換え apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,製品が見つかりませんでした。 -DocType: Production Order,Unstopped,継続音の apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},納品書{1}に対する{0} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,プロジェクト名 @@ -3766,6 +3779,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}でした 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}が無いか、既に他の伝票に照合されています @@ -3803,9 +3817,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,アイテム{0}は在庫アイテムではないので無視されます +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 +40,Submit this Production Order for further processing.,この製造指示書を提出して次の処理へ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ジョブズ @@ -3813,12 +3827,14 @@ 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 +209,Rate (%),割合(%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",自分以外のユーザーを組織に追加 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Group Byが 'Company'の場合、Companyフィルターを空白に設定してください apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,転記日付は将来の日付にすることはできません apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:シリアル番号 {1} が {2} {3}と一致しません apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,臨時休暇 @@ -3847,7 +3863,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,在庫元帳エントリー apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}にはシリアル番号が設定されていません。列は空白でなければなりません。 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,アイテム{0}にはシリアル番号が設定されていません。列は空白でなければなりません。 DocType: Accounts Settings,Accounts Settings,アカウント設定 apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,承認します DocType: Customer,Sales Partner and Commission,販売パートナーと手数料 @@ -3862,7 +3878,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,部品表展開アイテム DocType: Account,Auditor,監査人 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,生産{0}アイテム +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,返品 @@ -3876,7 +3892,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,為替レート -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,受注{0}は提出されていません +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,フリート管理 @@ -3901,18 +3917,18 @@ 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 +705,Online,オンライン +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,提出された注文を削除することはできません +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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}は無効になっています DocType: Employee Loan,Repay Fixed Amount per Period,期間ごとの固定額を返済 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},アイテム{0}の数量を入力してください -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,クレジットノートAmt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,クレジットノートAmt DocType: Employee External Work History,Employee External Work History,従業員の職歴 DocType: Tax Rule,Purchase,仕入 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,残高数量 @@ -3937,7 +3953,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 +2383,Select items to save the invoice,請求書を保存する項目を選択します +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,請求書を保存する項目を選択します DocType: Employee,Encashment Date,現金化日 DocType: Training Event,Internet,インターネット DocType: Account,Stock Adjustment,在庫調整 @@ -3966,6 +3982,7 @@ DocType: Guardian,Guardian Of ,の守護者 DocType: Grading Scale Interval,Threshold,しきい値 DocType: BOM Replace Tool,Current BOM,現在の部品表 apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,シリアル番号を追加 +DocType: Production Order Item,Available Qty at Source Warehouse,ソースウェアハウスで利用可能な数量 apps/erpnext/erpnext/config/support.py +22,Warranty,保証 DocType: Purchase Invoice,Debit Note Issued,デビットノート発行 DocType: Production Order,Warehouses,倉庫 @@ -3981,13 +3998,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,支払額 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,プロジェクトマネージャー ,Quoted Item Comparison,引用符で囲まれた項目の比較 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,発送 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,アイテムの許可最大割引:{0}が{1}% +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 +279,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 +879,Select Items to Manufacture,製造する項目を選択します -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",マスタデータの同期、それはいくつかの時間がかかる場合があります +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",マスタデータの同期、それはいくつかの時間がかかる場合があります DocType: Item,Material Issue,資材課題 DocType: Hub Settings,Seller Description,販売者の説明 DocType: Employee Education,Qualification,資格 @@ -4011,7 +4028,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 +200,Cannot cancel because submitted Stock Entry {0} exists,登録済みの在庫エントリ{0}が存在するため、キャンセルすることができません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,登録済みの在庫エントリ{0}が存在するため、キャンセルすることができません DocType: Employee Loan,Disbursement Date,支払い日 DocType: Vehicle,Vehicle,車両 DocType: Purchase Invoice,In Words,文字表記 @@ -4031,7 +4048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",この会計年度をデフォルト値に設定するには、「デフォルトに設定」をクリックしてください apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,参加 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,不足数量 -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています DocType: Employee Loan,Repay from Salary,給与から返済 DocType: Leave Application,LAP/,ラップ/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},量のために、{0} {1}に対する支払いを要求{2} @@ -4049,18 +4066,18 @@ 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 +1011,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。 +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,シリアル番号{0}はすでに受領されています +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: Expense Claim,Vehicle Log,車両のログ DocType: Purchase Invoice,Recurring Id,繰り返しID DocType: Customer,Sales Team Details,営業チームの詳細 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,完全に削除しますか? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},無効な {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},無効な {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,病欠 DocType: Email Digest,Email Digest,メールダイジェスト DocType: Delivery Note,Billing Address Name,請求先住所の名前 @@ -4073,6 +4090,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,請求可能 DocType: Company,Change Abbreviation,略語を変更 DocType: Expense Claim Detail,Expense Date,経費日付 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド DocType: Item,Max Discount (%),最大割引(%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,最新の注文額 DocType: Task,Is Milestone,マイルストーンです @@ -4096,8 +4114,8 @@ DocType: Program Enrollment Tool,New Program,新しいプログラム DocType: Item Attribute Value,Attribute Value,属性値 ,Itemwise Recommended Reorder Level,アイテムごとに推奨される再注文レベル DocType: Salary Detail,Salary Detail,給与詳細 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,{0}を選択してください -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,アイテム {1}のバッチ {0} は期限切れです +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,{0}を選択してください +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,アイテム {1}のバッチ {0} は期限切れです DocType: Sales Invoice,Commission,歩合 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,製造のためのタイムシート。 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小計 @@ -4122,12 +4140,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 +399,Operation Time must be greater than 0 for Operation {0},作業 {0} の作業時間は0以上でなければなりません +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/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 +387,Production Order cannot be raised against a Item Template,製造指示はアイテムテンプレートに対して出すことができません +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,開始日 @@ -4157,7 +4175,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,処分日 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",彼らは休日を持っていない場合は電子メールは、与えられた時間で、会社のすべてのActive従業員に送信されます。回答の概要は、深夜に送信されます。 DocType: Employee Leave Approver,Employee Leave Approver,従業員休暇承認者 -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",見積が作成されているため、失注を宣言できません 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}を提出しなければなりません @@ -4190,6 +4208,7 @@ DocType: Announcement,Student,学生 apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,組織単位(部門)マスター。 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,有効な携帯電話番号を入力してください apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,メッセージを入力してください +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,サプライヤとのデュプリケート DocType: Email Digest,Pending Quotations,保留中の名言 apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,POSプロフィール apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMSの設定を更新してください @@ -4198,7 +4217,7 @@ DocType: Cost Center,Cost Center Name,コストセンター名 DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,タイムシートに対する最大労働時間 DocType: Maintenance Schedule Detail,Scheduled Date,スケジュール日付 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,支出額合計 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,支出額合計 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160文字を超えるメッセージは複数のメッセージに分割されます DocType: Purchase Receipt Item,Received and Accepted,受領・承認済 ,GST Itemised Sales Register,GST商品販売登録 @@ -4208,7 +4227,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 +237,Your Suppliers,サプライヤー +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',カテゴリが「評価」または「Vaulationと合計」のためのものであるときに控除することはできません。 @@ -4220,7 +4239,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,アイテム{1}に添付されたウェブサイト画像{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.,ウェブサイト上の複数のグループでこのアイテムを一覧表示します。 @@ -4235,7 +4254,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,これは何 apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,倉庫 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,すべての学生の入学 ,Average Commission Rate,平均手数料率 -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,在庫アイテム以外は「シリアル番号あり」を「はい」にすることができません。 +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,在庫アイテム以外は「シリアル番号あり」を「はい」にすることができません。 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,出勤は将来の日付にマークを付けることができません DocType: Pricing Rule,Pricing Rule Help,価格設定ルールヘルプ DocType: School House,House Name,家名 @@ -4251,7 +4270,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 +339,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,保険開始日は、保険終了日未満でなければなりません @@ -4266,20 +4285,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},従業員の給与スリップ{0}はすでにタイムシート用に作成した{1} DocType: Vehicle Log,Odometer,オドメーター DocType: Sales Order Item,Ordered Qty,注文数 -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,アイテム{0}は無効です +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 +874,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,給油の詳細 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,給与明細を生成 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",適用のためには次のように選択されている場合の購入は、チェックする必要があります{0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",適用のためには次のように選択されている場合の購入は、チェックする必要があります{0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,割引は100未満でなければなりません 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 +500,Default BOM for {0} not found,{0}が見つかりませんのデフォルトのBOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,プログラム登録 DocType: Landed Cost Voucher,Landed Cost Voucher,陸揚費用伝票 @@ -4340,7 +4359,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,予定日は資材要求日の前にすることはできません DocType: Purchase Invoice Item,Stock Qty,在庫数 -DocType: Production Order,Source Warehouse (for reserving Items),ソース倉庫(アイテムを予約するため) DocType: Employee Loan,Repayment Period in Months,ヶ月間における償還期間 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,エラー:有効なIDではない? DocType: Naming Series,Update Series Number,シリーズ番号更新 @@ -4388,7 +4406,7 @@ DocType: Production Order,Planned End Date,計画終了日 apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,アイテムが保存される場所 DocType: Request for Quotation,Supplier Detail,サプライヤー詳細 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},式または条件でエラーが発生しました:{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,請求された額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,請求された額 DocType: Attendance,Attendance,出勤 apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,在庫アイテム DocType: BOM,Materials,資材 @@ -4428,10 +4446,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,セットアップ自分の組織のためのシンプルなウェブサイト +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください DocType: Item,Default Warehouse,デフォルト倉庫 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},グループアカウント{0}に対して予算を割り当てることができません apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,親コストセンターを入力してください @@ -4490,7 +4508,7 @@ 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 +1344,Select or add new customer,選択するか、新規顧客を追加 +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/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,これは、この従業員の出席に基づいています @@ -4498,6 +4516,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,年始日 DocType: Attendance,Employee Name,従業員名 DocType: Sales Invoice,Rounded Total (Company Currency),合計(四捨五入)(会社通貨) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,従業員の命名システムを人事管理> HR設定で設定してください 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 +231,{0} {1} has been modified. Please refresh.,{0} {1}が変更されています。画面を更新してください。 DocType: Leave Block List,Stop users from making Leave Applications on following days.,以下の日にはユーザーからの休暇申請を受け付けない @@ -4520,7 +4539,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,報告要素3 ,Hub,ハブ DocType: GL Entry,Voucher Type,伝票タイプ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,価格表が見つからないか無効になっています +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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}から取り除かれた従業員は「退職」に設定されなければなりません @@ -4540,7 +4559,7 @@ DocType: POS Profile,Account for Change Amount,変化量のためのアカウン apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:当事者/アカウントが {3} {4} の {1} / {2}と一致しません apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,経費勘定を入力してください DocType: Account,Stock,在庫 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは、購買発注、購買請求書または仕訳のいずれかでなければなりません +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは、購買発注、購買請求書または仕訳のいずれかでなければなりません DocType: Employee,Current Address,現住所 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",アイテムが別のアイテムのバリエーションである場合には、明示的に指定しない限り、その後の説明、画像、価格、税金などはテンプレートから設定されます DocType: Serial No,Purchase / Manufacture Details,仕入/製造の詳細 @@ -4578,11 +4597,12 @@ DocType: Student,Home Address,ホームアドレス apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,資産を譲渡 DocType: POS Profile,POS Profile,POSプロフィール DocType: Training Event,Event Name,イベント名 -apps/erpnext/erpnext/config/schools.py +39,Admission,入場 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,入場 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0}のための入試 apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間 apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",アイテム{0}はテンプレートです。バリエーションのいずれかを選択してください DocType: Asset,Asset Category,資産カテゴリー +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,購入者 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,給与をマイナスにすることはできません DocType: SMS Settings,Static Parameters,静的パラメータ DocType: Assessment Plan,Room,ルーム @@ -4591,6 +4611,7 @@ DocType: Item,Item Tax,アイテムごとの税 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,サプライヤー用資材 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,消費税の請求書 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}%が複数回表示されます +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー 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,流動負債 @@ -4662,6 +4683,7 @@ DocType: Leave Type,Is Carry Forward,繰越済 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,給与スリップ提出されていません ,Stock Summary,株式の概要 diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv index e02289d11c..4469932c56 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",បញ្ឈប់ការបញ្ជាទិញផលិតផលដែលមិនអាចត្រូវបានលុបចោលឮវាជាលើកដំបូងដើម្បីបោះបង់ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,ជ្រើសផ្គត់ផ្គង់លំនាំដើម @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1} +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 +808,Invoice,វិក័យប័ត្រ DocType: Maintenance Schedule Item,Periodicity,រយៈពេល apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ឆ្នាំសារពើពន្ធ {0} ត្រូវបានទាមទារ @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,ការងារក្នុងវឌ្ឍនភាព apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,សូមជ្រើសរើសកាលបរិច្ឆេទ DocType: Employee,Holiday List,បញ្ជីថ្ងៃឈប់សម្រាក -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,គណនេយ្យករ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,គណនេយ្យករ DocType: Cost Center,Stock User,អ្នកប្រើប្រាស់ភាគហ៊ុន DocType: Company,Phone No,គ្មានទូរស័ព្ទ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,កាលវិភាគការពិតណាស់ដែលបានបង្កើត: @@ -110,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 +269,Kg,គីឡូក្រាម +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,គីឡូក្រាម DocType: Student Log,Log,កំណត់ហេតុ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,បើកសម្រាប់ការងារ។ DocType: Item Attribute,Increment,ចំនួនបន្ថែម @@ -120,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 +42,Not permitted for {0},មិនត្រូវបានអនុញ្ញាតសម្រាប់ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ទទួលបានធាតុពី -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,មិនមានធាតុដែលបានរកឃើញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,ការលក់វិក័យប័ត្រធាតុ @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,របាយការណ DocType: Warehouse,Warehouse Detail,ពត៌មានលំអិតឃ្លាំង apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ដែនកំណត់ឥណទានត្រូវបានឆ្លងកាត់សម្រាប់អតិថិជន {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",«តើអចលន "មិនអាចត្រូវបានធីកមានទ្រព្យសម្បត្តិដែលជាកំណត់ត្រាប្រឆាំងនឹងធាតុ +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/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,អតិថិជនមួយដែលមានឈ្មោះដូចគ្នា @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ពី {0} ទៅ {1} DocType: Item,Copy From Item Group,ការចម្លងពីធាតុគ្រុប DocType: Journal Entry,Opening Entry,ការបើកចូល -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,មានតែគណនីប្រាក់ DocType: Employee Loan,Repay Over Number of Periods,សងចំនួនជាងនៃរយៈពេល DocType: Stock Entry,Additional Costs,ការចំណាយបន្ថែមទៀត @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,អចលនទ្រព្យ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,សេចក្តីថ្លែងការណ៍របស់គណនី +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,ឱសថ DocType: Purchase Invoice Item,Is Fixed Asset,ជាទ្រព្យថេរ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","qty អាចប្រើបានគឺ {0}, អ្នកត្រូវ {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,អ្នកប្រើប្រាស់ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ទាញស្នើសុំសម្ភារៈនៃប្រភេទដែលបានផលិតដោយផ្អែកលើលក្ខណៈវិនិច្ឆ័យខាងលើនេះ @@ -211,12 +211,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ឧទាហរណ៍: គណិតវិទ្យាមូលដ្ឋាន +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/config/hr.py +214,Settings for HR Module,ការកំណត់សម្រាប់ម៉ូឌុលធនធានមនុស្ស DocType: SMS Center,SMS Center,ផ្ញើសារជាអក្សរមជ្ឈមណ្ឌល @@ -234,6 +234,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ធាតុនិងតម្លៃ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},ម៉ោងសរុប: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},ពីកាលបរិច្ឆេទគួរជានៅក្នុងឆ្នាំសារពើពន្ធ។ សន្មត់ថាពីកាលបរិច្ឆេទ = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,សម្រង់ DocType: Customer,Individual,បុគគល DocType: Interest,Academics User,អ្នកប្រើប្រាស់សាស្ត្រាចារ្យ DocType: Cheque Print Template,Amount In Figure,ចំនួនទឹកប្រាក់ក្នុងរូបភាព @@ -264,7 +265,7 @@ DocType: Employee,Create User,បង្កើតអ្នកប្រើប្ DocType: Selling Settings,Default Territory,ដែនដីលំនាំដើម apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ទូរទស្សន៏ DocType: Production Order Operation,Updated via 'Time Log',ធ្វើឱ្យទាន់សម័យតាមរយៈ "ពេលវេលាកំណត់ហេតុ ' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1} DocType: Naming Series,Series List for this Transaction,បញ្ជីស៊េរីសម្រាប់ប្រតិបត្តិការនេះ DocType: Company,Enable Perpetual Inventory,បើកការសារពើភ័ណ្ឌជាបន្តបន្ទាប់ DocType: Company,Default Payroll Payable Account,បើកប្រាក់បៀវត្សត្រូវបង់លំនាំដើមគណនី @@ -272,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 +177,For Warehouse is required before Submit,សម្រាប់ឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.",ប្រសិនបើបានធីកវានឹងរួមបញ្ចូលទាំងរបស់របរដែលមិនមែនជាភាគហ៊ុននៅក្នុងសំណើសម្ភារៈ។ @@ -280,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 +2256,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,ឈ្មោះទំនាក់ទំនង +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,ក្រុមផ្ទាល់ខ្លួនម៉ាស៊ីនឆូតកាត @@ -300,13 +301,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,បន្ថយកាលបរិច្ឆេទត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម 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 +189,Warehouse {0} does not belong to company {1},ឃ្លាំង {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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ទុកឱ្យទប់ស្កាត់ -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ធាតុធនាគារ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ប្រចាំឆ្នាំ DocType: Stock Reconciliation Item,Stock Reconciliation Item,ធាតុភាគហ៊ុនការផ្សះផ្សា @@ -314,7 +315,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 +316,People who teach at your organisation,មនុស្សដែលបានបង្រៀននៅក្នុងអង្គការរបស់អ្នក +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -325,7 +326,7 @@ DocType: POS Profile,Allow user to edit Rate,អនុញ្ញាតឱ្យ DocType: Item,Publish in Hub,បោះពុម្ពផ្សាយនៅក្នុងមជ្ឈមណ្ឌល DocType: Student Admission,Student Admission,ការចូលរបស់សិស្ស ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,សម្ភារៈស្នើសុំ DocType: Bank Reconciliation,Update Clearance Date,ធ្វើឱ្យទាន់សម័យបោសសំអាតកាលបរិច្ឆេទ DocType: Item,Purchase Details,ពត៌មានលំអិតទិញ @@ -366,7 +367,7 @@ DocType: Vehicle,Fleet Manager,កម្មវិធីគ្រប់គ្រ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត " +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,កំហុសក្នុងការយោងសារាចរ @@ -383,7 +384,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,ចូលការទូទាត់ត្រូវបានកែប្រែបន្ទាប់ពីអ្នកបានទាញវា។ សូមទាញវាម្តងទៀត។ -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} បានចូលពីរដងនៅក្នុងការប្រមូលពន្ធលើធាតុ +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} បានចូលពីរដងនៅក្នុងការប្រមូលពន្ធលើធាតុ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,សង្ខេបសម្រាប់សប្តាហ៍នេះនិងសកម្មភាពដែលមិនទាន់សម្រេច DocType: Student Applicant,Admitted,បានទទួលស្គាល់ថា DocType: Workstation,Rent Cost,ការចំណាយជួល @@ -416,7 +417,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% បានទទួល apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,បង្កើតក្រុមនិស្សិត apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ការដំឡើងពេញលេញរួចទៅហើយ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ចំនួនឥណទានចំណាំ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ចំនួនឥណទានចំណាំ ,Finished Goods,ទំនិញបានបញ្ចប់ DocType: Delivery Note,Instructions,សេចក្តីណែនាំ DocType: Quality Inspection,Inspected By,បានត្រួតពិនិត្យដោយ @@ -442,8 +443,9 @@ 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 +1456,Create a new Customer,បង្កើតអតិថិជនថ្មី +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំចំនួនតាមរយៈការចូលរួមស៊េរីសម្រាប់ការដំឡើង> លេខស៊េរី apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,បង្កើតបញ្ជាទិញ ,Purchase Register,ទិញចុះឈ្មោះ DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -468,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។ +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -488,7 +490,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ការកំណត់សកលសម្រាប់ដំណើរការផលិតទាំងអស់។ DocType: Accounts Settings,Accounts Frozen Upto,រីករាយជាមួយនឹងទឹកកកគណនី DocType: SMS Log,Sent On,ដែលបានផ្ញើនៅថ្ងៃ -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសរើសច្រើនដងក្នុងតារាងគុណលក្ខណៈ +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសរើសច្រើនដងក្នុងតារាងគុណលក្ខណៈ DocType: HR Settings,Employee record is created using selected field. ,កំណត់ត្រាបុគ្គលិកត្រូវបានបង្កើតដោយប្រើវាលដែលបានជ្រើស។ DocType: Sales Order,Not Applicable,ដែលមិនអាចអនុវត្តបាន apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ចៅហ្វាយថ្ងៃឈប់សម្រាក។ @@ -523,7 +525,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 +219,List a few of your customers. They could be organizations or individuals.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 +539,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,សូមបញ្ចូលឃ្លាំងដែលសម្ភារៈស្នើសុំនឹងត្រូវបានលើកឡើង DocType: Production Order,Additional Operating Cost,ចំណាយប្រតិបត្តិការបន្ថែម apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,គ្រឿងសំអាង -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",រួមបញ្ចូលគ្នានោះមានលក្ខណៈសម្បត្តិដូចខាងក្រោមនេះត្រូវដូចគ្នាសម្រាប់ធាតុទាំងពីរ +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",រួមបញ្ចូលគ្នានោះមានលក្ខណៈសម្បត្តិដូចខាងក្រោមនេះត្រូវដូចគ្នាសម្រាប់ធាតុទាំងពីរ DocType: Shipping Rule,Net Weight,ទំងន់សុទ្ធ DocType: Employee,Emergency Phone,ទូរស័ព្ទសង្រ្គោះបន្ទាន់ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ទិញ @@ -546,7 +548,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 +2428,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,ការគ្រប់គ្រងអ្នកម៉ៅការបន្ត @@ -565,7 +567,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,បន្ថែម / កែសម្រួលពន្ធនិងការចោទប្រកាន់ DocType: Purchase Invoice,Supplier Invoice No,វិក័យប័ត្រគ្មានការផ្គត់ផ្គង់ DocType: Territory,For reference,សម្រាប់ជាឯកសារយោង -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","មិនអាចលុបសៀរៀលគ្មាន {0}, ដូចដែលវាត្រូវបានគេប្រើនៅក្នុងប្រតិបត្តិការភាគហ៊ុន" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","មិនអាចលុបសៀរៀលគ្មាន {0}, ដូចដែលវាត្រូវបានគេប្រើនៅក្នុងប្រតិបត្តិការភាគហ៊ុន" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),បិទ (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,ផ្លាស់ទីធាតុ DocType: Serial No,Warranty Period (Days),រយៈពេលធានា (ថ្ងៃ) @@ -586,7 +588,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,សូមជ្រើសប្រភេទក្រុមហ៊ុននិងបក្សទីមួយ apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។ apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,តម្លៃបង្គរ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","សូមអភ័យទោស, សៀរៀល, Nos មិនអាចត្រូវបានបញ្ចូលគ្នា" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","សូមអភ័យទោស, សៀរៀល, Nos មិនអាចត្រូវបានបញ្ចូលគ្នា" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,ធ្វើឱ្យការលក់សណ្តាប់ធ្នាប់ DocType: Project Task,Project Task,គម្រោងការងារ ,Lead Id,ការនាំមុខលេខសម្គាល់ @@ -606,6 +608,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,ការបម្រុងទុក apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,ត្រឡប់មកវិញការលក់ 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,ចំណាំ: ស្លឹកដែលបានបម្រុងទុកសរុប {0} មិនគួរត្រូវបានតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ +,Total Stock Summary,សង្ខេបហ៊ុនសរុប DocType: Announcement,Posted By,Posted by DocType: Item,Delivered by Supplier (Drop Ship),ថ្លែងដោយហាងទំនិញ (ទម្លាក់នាវា) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,មូលដ្ឋានទិន្នន័យរបស់អតិថិជនសក្តានុពល។ @@ -614,7 +617,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,មូលដ្ឋ DocType: Quotation,Quotation To,សម្រង់ដើម្បី DocType: Lead,Middle Income,ប្រាក់ចំណូលពាក់កណ្តាល apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ពិធីបើក (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ឯកតាលំនាំដើមសម្រាប់ធាតុវិធានការ {0} មិនអាចត្រូវបានផ្លាស់ប្តូរដោយផ្ទាល់ដោយសារតែអ្នកបានធ្វើប្រតិបត្តិការមួយចំនួន (s) ដែលមាន UOM មួយទៀតរួចទៅហើយ។ អ្នកនឹងត្រូវការដើម្បីបង្កើតធាតុថ្មីមួយក្នុងការប្រើ UOM លំនាំដើមផ្សេងគ្នា។ +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ឯកតាលំនាំដើមសម្រាប់ធាតុវិធានការ {0} មិនអាចត្រូវបានផ្លាស់ប្តូរដោយផ្ទាល់ដោយសារតែអ្នកបានធ្វើប្រតិបត្តិការមួយចំនួន (s) ដែលមាន UOM មួយទៀតរួចទៅហើយ។ អ្នកនឹងត្រូវការដើម្បីបង្កើតធាតុថ្មីមួយក្នុងការប្រើ UOM លំនាំដើមផ្សេងគ្នា។ apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសម្រាប់មិនអាចជាអវិជ្ជមាន apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,សូមកំណត់ក្រុមហ៊ុន DocType: Purchase Order Item,Billed Amt,វិក័យប័ត្រ AMT @@ -635,6 +638,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ថ្នាក់អនុ DocType: Assessment Plan,Maximum Assessment Score,ពិន្ទុអតិបរមាការវាយតំលៃ apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,កាលបរិច្ឆេទប្រតិបត្តិការធនាគារធ្វើឱ្យទាន់សម័យ apps/erpnext/erpnext/config/projects.py +30,Time Tracking,តាមដានពេលវេលា +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE សម្រាប់ការដឹកជញ្ជូន DocType: Fiscal Year Company,Fiscal Year Company,ក្រុមហ៊ុនឆ្នាំសារពើពន្ធ DocType: Packing Slip Item,DN Detail,ពត៌មានលំអិត DN DocType: Training Event,Conference,សន្និសិទ @@ -674,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 +320,Timesheet created:,Timesheet បង្កើត: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ចុះឈ្មោះ DocType: GST Settings,GST Settings,ការកំណត់ជីអេសធី DocType: Selling Settings,Customer Naming By,ឈ្មោះអតិថិជនដោយ @@ -704,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 +139,Finish,បញ្ចប់ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,បញ្ចប់ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,មូលដ្ឋាន DocType: Timesheet,Total Billed Hours,ម៉ោងធ្វើការបង់ប្រាក់សរុប DocType: Journal Entry,Write Off Amount,បិទការសរសេរចំនួនទឹកប្រាក់ @@ -737,7 +741,7 @@ DocType: Hub Settings,Seller City,ទីក្រុងអ្នកលក់ ,Absent Student Report,របាយការណ៍សិស្សអវត្តមាន DocType: Email Digest,Next email will be sent on:,អ៊ីម៉ែលបន្ទាប់នឹងត្រូវបានផ្ញើនៅលើ: DocType: Offer Letter Term,Offer Letter Term,ផ្តល់ជូននូវលិខិតអាណត្តិ -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ធាតុមានវ៉ារ្យ៉ង់។ +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,ធាតុមានវ៉ារ្យ៉ង់។ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ធាតុ {0} មិនបានរកឃើញ DocType: Bin,Stock Value,ភាគហ៊ុនតម្លៃ apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទេ @@ -783,12 +787,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","វិធានតម្លៃច្រើនមានលក្ខណៈវិនិច្ឆ័យដូចគ្នា, សូមដោះស្រាយជម្លោះដោយផ្ដល់អាទិភាព។ វិធានតម្លៃ: {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 ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង 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 +48,Make Timesheet,ធ្វើឱ្យ Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -827,13 +831,13 @@ 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,ប្រវត្តិក្រុមគ្រួសារ DocType: Request for Quotation Supplier,Send Email,ផ្ញើអ៊ីមែល -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ព្រមាន & ‧;: ឯកសារភ្ជាប់មិនត្រឹមត្រូវ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,គ្មានសិទ្ធិ +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},ព្រមាន & ‧;: ឯកសារភ្ជាប់មិនត្រឹមត្រូវ {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,គ្មានសិទ្ធិ 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 +269,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} ត្រូវតែត្រូវបានដាក់ជូន @@ -852,7 +856,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,រំលស់បង្គរបើក @@ -940,14 +944,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} មុនពេលលុបចោលដំណើរទស្សនកិច្ចនេះជួសជុល -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ធាតុ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ធាតុ {1} DocType: Purchase Receipt Item Supplied,Required Qty,តម្រូវការ Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ។ DocType: Bank Reconciliation,Total Amount,ចំនួនសរុប @@ -964,7 +968,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,សមាសភាគ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},សូមបញ្ចូលប្រភេទទ្រព្យសម្បត្តិនៅក្នុងធាតុ {0} DocType: Quality Inspection Reading,Reading 6,ការអាន 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,មិនអាច {0} {1} {2} ដោយគ្មានវិក័យប័ត្រឆ្នើមអវិជ្ជមាន +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,មិនអាច {0} {1} {2} ដោយគ្មានវិក័យប័ត្រឆ្នើមអវិជ្ជមាន 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} @@ -978,12 +982,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 +731,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ DocType: Payment Request,Paid,Paid DocType: Program Fee,Program Fee,ថ្លៃសេវាកម្មវិធី DocType: Salary Slip,Total in words,សរុបនៅក្នុងពាក្យ @@ -1016,9 +1020,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,គីមី DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,គណនីធនាគារ / សាច់ប្រាក់លំនាំដើមនឹងត្រូវបានធ្វើឱ្យទាន់សម័យដោយស្វ័យប្រវត្តិនៅពេលដែលប្រាក់ Journal Entry របៀបនេះត្រូវបានជ្រើស។ DocType: BOM,Raw Material Cost(Company Currency),តម្លៃវត្ថុធាតុដើម (ក្រុមហ៊ុនរូបិយប័ណ្ណ) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ធាតុទាំងអស់ត្រូវបានបញ្ជូនរួចហើយសម្រាប់ការបញ្ជាទិញផលិតផលនេះ។ +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 +270,Meter,ម៉ែត្រ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,ម៉ែត្រ DocType: Workstation,Electricity Cost,តម្លៃអគ្គិសនី DocType: HR Settings,Don't send Employee Birthday Reminders,កុំផ្ញើបុគ្គលិករំលឹកខួបកំណើត DocType: Item,Inspection Criteria,លក្ខណៈវិនិច្ឆ័យអធិការកិច្ច @@ -1040,7 +1044,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 +452,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,តុល្យភាពប្រាក់កម្ចីចំនួនទឹកប្រាក់ @@ -1048,7 +1052,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 +259,Qty for {0},qty សម្រាប់ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ទុកឱ្យប្លុកថ្ងៃបញ្ជី @@ -1060,9 +1064,9 @@ DocType: Purchase Invoice,Cash/Bank Account,សាច់ប្រាក់ / គ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},សូមបញ្ជាក់ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ធាតុបានយកចេញដោយការផ្លាស់ប្តូរក្នុងបរិមាណឬតម្លៃទេ។ DocType: Delivery Note,Delivery To,ដឹកជញ្ជូនដើម្បី -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,តារាងគុណលក្ខណៈគឺជាការចាំបាច់ +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,តារាងគុណលក្ខណៈគឺជាការចាំបាច់ DocType: Production Planning Tool,Get Sales Orders,ទទួលបានការបញ្ជាទិញលក់ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} មិនអាចជាអវិជ្ជមាន +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} មិនអាចជាអវិជ្ជមាន apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,បញ្ចុះតំលៃ DocType: Asset,Total Number of Depreciations,ចំនួនសរុបនៃការធ្លាក់ថ្លៃ DocType: Sales Invoice Item,Rate With Margin,អត្រាជាមួយនឹងរឹម @@ -1098,7 +1102,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 +1546,ZIP Code,លេខកូដតំបន់ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,ការធ្វើឱ្យធាតុហ៊ុន @@ -1116,7 +1120,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,រាយមួយចំនួននៃការផ្គត់ផ្គង់របស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។ +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 ទាំងអស់ @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ចែកចាយ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ការដើរទិញឥវ៉ាន់វិធានការដឹកជញ្ជូនក្នុងកន្រ្តក apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,ផលិតកម្មលំដាប់ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',សូមកំណត់ 'អនុវត្តការបញ្ចុះតម្លៃបន្ថែមទៀតនៅលើ " +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,ពីជួរមានដើម្បីឱ្យមានតិចជាងដើម្បីជួរ DocType: Global Defaults,Global Defaults,លំនាំដើមជាសកល @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},លេខ 2 ខ្ទង់នៃ GSTIN គួរតែផ្គូផ្គងជាមួយលេខរដ្ឋ {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,កំហុសក្នុងការធ្វើផែនការការកសាងសមត្ថភាព +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,កំហុសក្នុងការធ្វើផែនការការកសាងសមត្ថភាព ,Trial Balance for Party,អង្គជំនុំតុល្យភាពសម្រាប់ការគណបក្ស DocType: Lead,Consultant,អ្នកប្រឹក្សាយោបល់ DocType: Salary Slip,Earnings,ការរកប្រាក់ចំណូល @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,តើការវិលត្រឡប់ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,ការវិលត្រឡប់ / ឥណពន្ធចំណាំ DocType: Price List Country,Price List Country,បញ្ជីតម្លៃប្រទេស DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} បាន NOS សម្គាល់ត្រឹមត្រូវសម្រាប់ធាតុ {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} បាន NOS សម្គាល់ត្រឹមត្រូវសម្រាប់ធាតុ {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,ក្រមធាតុមិនអាចត្រូវបានផ្លាស់ប្តូរសម្រាប់លេខស៊េរី apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},ប្រវត្តិម៉ាស៊ីនឆូតកាត {0} បានបង្កើតឡើងរួចទៅហើយសម្រាប់អ្នកប្រើ: {1} និងក្រុមហ៊ុន {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM កត្តាប្រែចិត្តជឿ @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ',មជ្ឈមណ្ឌលចំណាយសម្រាប់ធាតុដែលមានលេខកូដធាតុ " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",គណនីដែលមានបន្ថែមទៀតអាចត្រូវបានធ្វើក្រោមការក្រុមនោះទេតែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម @@ -1221,7 +1225,7 @@ 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,មើលសៀវភៅ DocType: Grading Scale,Intervals,ចន្លោះពេល apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ដំបូងបំផុត -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",ធាតុមួយពូលមានឈ្មោះដូចគ្នាសូមប្ដូរឈ្មោះធាតុឬប្ដូរឈ្មោះធាតុដែលជាក្រុម +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ធាតុនេះ {0} មិនអាចមានបាច់ @@ -1249,7 +1253,7 @@ 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 +288,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ DocType: Purchase Invoice,Rejected Warehouse,ឃ្លាំងច្រានចោល DocType: GL Entry,Against Voucher,ប្រឆាំងនឹងប័ណ្ណ DocType: Item,Default Buying Cost Center,មជ្ឈមណ្ឌលការចំណាយទិញលំនាំដើម @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,លំដាប់ការលក់ {0} មិនត្រឹមត្រូវ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ទីកន្លែងបញ្ហា apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ការចុះកិច្ចសន្យា DocType: Email Digest,Add Quote,បន្ថែមសម្រង់ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},កត្តាគ្របដណ្តប់ UOM បានទាមទារសម្រាប់ការ UOM: {0} នៅក្នុងធាតុ: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},កត្តាគ្របដណ្តប់ UOM បានទាមទារសម្រាប់ការ UOM: {0} នៅក្នុងធាតុ: {1} 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 +736,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក +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,ផលិតផលឬសេវាកម្មរបស់អ្នក DocType: Mode of Payment,Mode of Payment,របៀបនៃការទូទាត់ -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL +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 DocType: Purchase Invoice Item,BOM,Bom apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,នេះគឺជាក្រុមមួយដែលធាតុ root និងមិនអាចត្រូវបានកែសម្រួល។ @@ -1302,14 +1306,13 @@ 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 +562,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",វិធានកំណត់តម្លៃដំបូងត្រូវបានជ្រើសដោយផ្អែកលើ 'អនុវត្តនៅលើ' វាលដែលអាចជាធាតុធាតុក្រុមឬម៉ាក។ 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 នាក់ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},ស្ថានភាពលំដាប់ផលិតកម្មគឺ {0} DocType: Appraisal Goal,Goal,គ្រាប់បាល់បញ្ចូលទី DocType: Sales Invoice Item,Edit Description,កែសម្រួលការបរិយាយ ,Team Updates,ក្រុមការងារការធ្វើឱ្យទាន់សម័យ @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះ។ DocType: Item,Website Item Groups,ក្រុមធាតុវេបសាយ DocType: Purchase Invoice,Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,លេខសម្គាល់ {0} បានចូលច្រើនជាងមួយដង +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 +78,{0} items in progress,{0} ធាតុនៅក្នុងការរីកចំរើន +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,នេះជាចំនួននៃការប្រតិបត្តិការបង្កើតចុងក្រោយជាមួយបុព្វបទនេះ @@ -1390,7 +1393,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,ចាប់ផ្ដើម 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,7 +1405,7 @@ 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 +260,Max: {0},អតិបរមា: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,កំណត់ហេតុនៃការទំនាក់ទំនង។ @@ -1413,7 +1415,7 @@ DocType: Sales Invoice,Shipping Address Name,ការដឹកជញ្ជូ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,គំនូសតាងគណនី DocType: Material Request,Terms and Conditions Content,លក្ខខណ្ឌមាតិកា apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,មិនអាចជាធំជាង 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ធាតុ {0} គឺមិនមានធាតុភាគហ៊ុន +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,ធាតុ {0} គឺមិនមានធាតុភាគហ៊ុន DocType: Maintenance Visit,Unscheduled,គ្មានការគ្រោងទុក DocType: Employee,Owned,កម្មសិទ្ធផ្ទាល់ខ្លួន DocType: Salary Detail,Depends on Leave Without Pay,អាស្រ័យនៅលើស្លឹកដោយគ្មានប្រាក់ខែ @@ -1444,7 +1446,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 +273,We buy this Item,យើងទិញធាតុនេះ +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 កាលពីឆ្នាំសារពើពន្ធរបស់មិនបិទ" @@ -1455,7 +1457,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 +266,Sub Assemblies,សភាអនុ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,សភាអនុ DocType: Asset,Asset Name,ឈ្មោះទ្រព្យសម្បត្តិ DocType: Project,Task Weight,ទម្ងន់ភារកិច្ច DocType: Shipping Rule Condition,To Value,ទៅតម្លៃ @@ -1488,12 +1490,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ប្រភព 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 +239,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,រកឃើញនៅក្នុងតារាងគ្មានប្រាក់បង់ការកត់ត្រា apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},នេះ {0} ជម្លោះជាមួយ {1} សម្រាប់ {2} {3} DocType: Student Attendance Tool,Students HTML,សិស្សរបស់ HTML DocType: POS Profile,Apply Discount,អនុវត្តការបញ្ចុះតម្លៃ -DocType: Purchase Invoice Item,GST HSN Code,កូដ HSN ជីអេសធី +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 +283,Packing Slip(s) cancelled,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់ (s) បានត្រូវបានលុបចោល @@ -1536,8 +1538,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 +2573,Default warehouse is required for selected item,ឃ្លាំងលំនាំដើមគឺត្រូវបានទាមទារសម្រាប់ធាតុដែលបានជ្រើស -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ប្រអប់ +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 +873,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,បញ្ជីអ្នកទទួលគឺទទេ។ សូមបង្កើតបញ្ជីអ្នកទទួល @@ -1566,7 +1568,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,វិធីសាស្រ្តការទូទាត់សង DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",ប្រសិនបើបានធីកទំព័រដើមនេះនឹងត្រូវបានក្រុមធាតុលំនាំដើមសម្រាប់គេហទំព័រនេះ DocType: Quality Inspection Reading,Reading 4,ការអានទី 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Bom លំនាំដើមសម្រាប់ {0} មិនត្រូវបានរកឃើញសម្រាប់គម្រោង {1} 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} @@ -1583,29 +1584,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ភារកិ apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ចូរធ្វើសម្រង់ apps/erpnext/erpnext/config/selling.py +216,Other Reports,របាយការណ៍ផ្សេងទៀត DocType: Dependent Task,Dependent Task,ការងារពឹងផ្អែក -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},កត្តាប្រែចិត្តជឿសម្រាប់អង្គភាពលំនាំដើមត្រូវតែមានវិធានការក្នុងមួយជួរដេក 1 {0} +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 នៅមុនថ្ងៃ។ 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} DocType: SMS Center,Receiver List,បញ្ជីអ្នកទទួល -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ស្វែងរកធាតុ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,បានបញ្ចប់រួចទៅហើយ +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/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 +263,Quantity must not be more than {0},បរិមាណមិនត្រូវការច្រើនជាង {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,លេខសម្គាល់អតិថិជនម៉ាស៊ីនឆូតកាត DocType: Account,Account Name,ឈ្មោះគណនី apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ពីកាលបរិច្ឆេទមិនអាចមានចំនួនច្រើនជាងកាលបរិច្ឆេទ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,សៀរៀលគ្មាន {0} {1} បរិមាណមិនអាចធ្វើជាប្រភាគ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,សៀរៀលគ្មាន {0} {1} បរិមាណមិនអាចធ្វើជាប្រភាគ apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ប្រភេទផ្គត់ផ្គង់គ្រូ។ 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 @@ -1613,6 +1614,7 @@ 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: Delivery Note,Vehicle Dispatch Date,កាលបរិច្ឆេទបញ្ជូនយានយន្ត +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ការទិញការទទួល {0} គឺមិនត្រូវបានដាក់ស្នើ DocType: Company,Default Payable Account,គណនីទូទាត់លំនាំដើម apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",ការកំណត់សម្រាប់រទេះដើរទិញឥវ៉ាន់អនឡាញដូចជាវិធានការដឹកជញ្ជូនបញ្ជីតម្លៃល @@ -1666,7 +1668,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,រួមបញ្ DocType: Sales Invoice,Packed Items,ធាតុ packed apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ពាក្យបណ្តឹងប្រឆាំងនឹងលេខសៀរៀលធានា DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ជំនួសជាក់លាក់ Bom ក្នុង BOMs ផ្សេងទៀតទាំងអស់ដែលជាកន្លែងដែលវាត្រូវបានគេប្រើ។ វានឹងជំនួសតំណ Bom អាយុ, ធ្វើឱ្យទាន់សម័យការចំណាយនិងការរីកលូតលាស់ឡើងវិញ "ធាតុផ្ទុះ Bom" តារាងជាមួយ Bom ថ្មី" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"សរុប" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"សរុប" DocType: Shopping Cart Settings,Enable Shopping Cart,បើកការកន្រ្តកទំនិញ DocType: Employee,Permanent Address,អាសយដ្ឋានអចិន្រ្តៃយ៍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1701,6 +1703,7 @@ DocType: Material Request,Transferred,ផ្ទេរ DocType: Vehicle,Doors,ទ្វារ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,ការគ្រុបអតិថិជនមានឈ្មោះដូចគ្នាសូមផ្លាស់ប្តូរឈ្មោះរបស់អតិថិជនឬប្តូរឈ្មោះក្រុមរបស់អតិថិជន @@ -1720,7 +1723,7 @@ 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 +699,Offline,ក្រៅបណ្តាញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,កម្មវិធីសម្រាប់ការងារ @@ -1736,7 +1739,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ដើមចម apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,វ៉ារ្យ៉ង់ DocType: Naming Series,Set prefix for numbering series on your transactions,កំណត់បុព្វបទសម្រាប់លេខស៊េរីលើប្រតិបតិ្តការរបស់អ្នក DocType: Employee Attendance Tool,Employees HTML,និយោជិករបស់ HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន DocType: Employee,Leave Encashed?,ទុកឱ្យ Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ឱកាសក្នុងវាលពីគឺចាំបាច់ DocType: Email Digest,Annual Expenses,ការចំណាយប្រចាំឆ្នាំ @@ -1749,7 +1752,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 +175,Work-in-Progress Warehouse is required before Submit,ការងារក្នុងវឌ្ឍនភាពឃ្លាំងត្រូវទាមទារមុនពេលដាក់ស្នើ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,ពត៌មានច្បាប់និងព័ត៌មានទូទៅអំពីផ្គត់ផ្គង់របស់អ្នក @@ -1757,7 +1760,7 @@ DocType: Item,Serial Nos and Batches,សៀរៀល nos និងជំនា apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ក្រុមនិស្សិតកម្លាំង apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ប្រឆាំងនឹង Journal Entry {0} មិនមានធាតុមិនផ្គូផ្គងណាមួយ {1} apps/erpnext/erpnext/config/hr.py +137,Appraisals,វាយតម្ល្រ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},គ្មានបានចូលស្ទួនសៀរៀលសម្រាប់ធាតុ {0} +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} ។ ដើម្បីអនុញ្ញាតឱ្យការវិក័យប័ត្រ, សូមកំណត់នៅក្នុងការកំណត់ការទិញ" @@ -1766,7 +1769,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ការទូទាត់ @@ -1785,12 +1788,12 @@ 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 +257,"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 +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 ដែលជាឯកតារង្វាស់និងលក្ខណៈសម្បត្តិផ្សេងទៀតនៅពេលដែលអ្នកចាប់ផ្តើម។ 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: Asset Movement,Asset Movement,ចលនាទ្រព្យសម្បត្តិ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,រទេះថ្មី +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,កង់ @@ -1816,7 +1819,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ទទួលបានធាតុពីបង្កាន់ដៃទិញ DocType: Serial No,Creation Date,កាលបរិច្ឆេទបង្កើត apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ធាតុ {0} លេចឡើងជាច្រើនដងនៅក្នុងបញ្ជីតម្លៃ {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",លក់ត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",លក់ត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0} DocType: Production Plan Material Request,Material Request Date,សម្ភារៈសំណើកាលបរិច្ឆេទ DocType: Purchase Order Item,Supplier Quotation Item,ធាតុសម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,មិនអនុញ្ញាតការបង្កើតនៃការពេលវេលាដែលនឹងដីកាកំណត់ហេតុផលិតកម្ម។ ប្រតិបត្ដិការនឹងមិនត្រូវបានតាមដានប្រឆាំងនឹងដីកាសម្រេចរបស់ផលិតកម្ម @@ -1832,12 +1835,12 @@ DocType: Supplier,Supplier of Goods or Services.,ក្រុមហ៊ុនផ DocType: Budget,Fiscal Year,ឆ្នាំសារពើពន្ធ DocType: Vehicle Log,Fuel Price,តម្លៃប្រេងឥន្ធនៈ DocType: Budget,Budget,ថវិការ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ធាតុទ្រព្យសកម្មថេរត្រូវតែជាធាតុដែលមិនមែនជាភាគហ៊ុន។ +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 +209,e.g. 5,ឧ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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} មិនអាចត្រូវបានបម្រុងទុកសម្រាប់ចាប់តាំងពីវាត្រូវបានចាកចេញដោយគ្មានប្រាក់ខែ DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកវិក័យប័ត្រលក់។ DocType: Item,Is Sales Item,តើមានធាតុលក់ @@ -1845,7 +1848,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} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ សូមពិនិត្យមើលមេធាតុ DocType: Maintenance Visit,Maintenance Time,ថែទាំម៉ោង ,Amount to Deliver,ចំនួនទឹកប្រាក់ដែលផ្តល់ -apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ផលិតផលឬសេវាកម្ម +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,តម្លៃបច្ចុប្បន្ន @@ -1918,7 +1921,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,គូ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,គូ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម DocType: Asset,Depreciation Schedule,កាលវិភាគរំលស់ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,អាសយដ្ឋានដៃគូលក់និងទំនាក់ទំនង @@ -1937,10 +1940,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},ធាតុគ្រុបមិនបានរៀបរាប់នៅក្នុងមេធាតុសម្រាប់ធាតុ {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល +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,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល DocType: Shipping Rule Condition,Shipping Amount,ចំនួនទឹកប្រាក់ការដឹកជញ្ជូន -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,បន្ថែមអតិថិជន +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,បានបញ្ជូន @@ -1957,6 +1960,7 @@ DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល ,Supplier-Wise Sales Analytics,ក្រុមហ៊ុនផ្គត់ផ្គង់ប្រាជ្ញាលក់វិភាគ apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,បញ្ចូលចំនួនទឹកប្រាក់ដែលបង់ប្រាក់ DocType: Salary Structure,Select employees for current Salary Structure,ជ្រើសបុគ្គលិកសម្រាប់រចនាសម្ព័ន្ធប្រាក់ខែបច្ចុប្បន្ន +DocType: Sales Invoice,Company Address Name,ឈ្មោះក្រុមហ៊ុនអាសយដ្ឋាន 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)",វគ្គសិក្សាមាតាបិតា (ទុកវាទទេប្រសិនបើនេះមិនមែនជាផ្នែកមួយនៃឪពុកម្តាយវគ្គសិក្សា) @@ -1976,7 +1980,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 +269,Unit,អង្គភាព +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,ឃ្លាំងដែលជាកន្លែងដែលអ្នកត្រូវបានរក្សាឱ្យបាននូវភាគហ៊ុនរបស់ធាតុដែលបានច្រានចោល @@ -1997,7 +2001,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃដីកាលក់, ការលក់វិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: ពីពេលវេលានិងទៅពេលវេលាគឺជាការចាំបាច់។ DocType: Stock Reconciliation Item,Amount Difference,ភាពខុសគ្នាចំនួនទឹកប្រាក់ @@ -2006,7 +2010,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,ចំណាត់ថ្នាក់នៃអតិថិជនដោយតំបន់ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ចំនួនទឹកប្រាក់ផ្សេងគ្នាត្រូវតែសូន្យ DocType: Project,Gross Margin,ប្រាក់ចំណេញដុល -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,សូមបញ្ចូលធាតុដំបូងផលិតកម្ម +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 +748,Quotation,សម្រង់ @@ -2018,7 +2022,7 @@ 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: Opportunity,Customer / Lead Address,អតិថិជន / អ្នកដឹកនាំការអាសយដ្ឋាន -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ព្រមាន: វិញ្ញាបនបត្រ SSL មិនត្រឹមត្រូវលើឯកសារភ្ជាប់ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},ព្រមាន: វិញ្ញាបនបត្រ SSL មិនត្រឹមត្រូវលើឯកសារភ្ជាប់ {0} DocType: Student Admission,Eligibility,សិទ្ធិទទួលបាន apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",ការនាំមុខជួយឱ្យអ្នកទទួលអាជីវកម្មការបន្ថែមទំនាក់ទំនងរបស់អ្នកទាំងអស់និងច្រើនទៀតតម្រុយរបស់អ្នក DocType: Production Order Operation,Actual Operation Time,ប្រតិបត្ដិការពេលវេលាពិតប្រាកដ @@ -2037,11 +2041,11 @@ DocType: Appraisal,Calculate Total Score,គណនាពិន្ទុសរុ DocType: Request for Quotation,Manufacturing Manager,កម្មវិធីគ្រប់គ្រងកម្មន្តសាល apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},សៀរៀល {0} គ្មានរីករាយជាមួយនឹងស្ថិតនៅក្រោមការធានា {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ចំណាំដឹកជញ្ជូនពុះចូលទៅក្នុងកញ្ចប់។ -apps/erpnext/erpnext/hooks.py +87,Shipments,ការនាំចេញ +apps/erpnext/erpnext/hooks.py +94,Shipments,ការនាំចេញ DocType: Payment Entry,Total Allocated Amount (Company Currency),ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Purchase Order Item,To be delivered to customer,ត្រូវបានបញ្ជូនទៅកាន់អតិថិជន DocType: BOM,Scrap Material Cost,តម្លៃសំណល់អេតចាយសម្ភារៈ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,សៀរៀល {0} មិនមានមិនមែនជារបស់ឃ្លាំងណាមួយឡើយ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,សៀរៀល {0} មិនមានមិនមែនជារបស់ឃ្លាំងណាមួយឡើយ DocType: Purchase Invoice,In Words (Company Currency),នៅក្នុងពាក្យ (ក្រុមហ៊ុនរូបិយវត្ថុ) DocType: Asset,Supplier,ក្រុមហ៊ុនផ្គត់ផ្គង់ DocType: C-Form,Quarter,ត្រីមាស @@ -2055,11 +2059,10 @@ DocType: Employee Loan,Employee Loan Account,គណនីឥណទានបុ DocType: Leave Application,Total Leave Days,សរុបថ្ងៃស្លឹក DocType: Email Digest,Note: Email will not be sent to disabled users,ចំណាំ: អ៊ីម៉ែលនឹងមិនត្រូវបានផ្ញើទៅកាន់អ្នកប្រើជនពិការ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ចំនួននៃអន្តរកម្ម -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,កូដធាតុ> ធាតុគ្រុប> ម៉ាក 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 +408,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","សូមជ្រើសចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក, ប្រភេទវិក័យប័ត្រនិងលេខវិក្កយបត្រក្នុងមួយជួរដេកយ៉ាងហោចណាស់" @@ -2101,7 +2104,8 @@ 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,នាយកប្រតិបត្តិ DocType: Expense Claim Detail,Expense Claim Detail,ពត៌មានលំអិតពាក្យបណ្តឹងលើការចំណាយ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,សូមជ្រើសរើសគណនីដែលត្រឹមត្រូវ +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ចំនួនបីសម្រាប់ការផ្គត់ផ្គង់ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,សូមជ្រើសរើសគណនីដែលត្រឹមត្រូវ DocType: Item,Weight UOM,ទំងន់ UOM DocType: Salary Structure Employee,Salary Structure Employee,និយោជិតបានប្រាក់ខែរចនាសម្ព័ន្ធ DocType: Employee,Blood Group,ក្រុមឈាម @@ -2123,7 +2127,7 @@ DocType: Student,Guardians,អាណាព្យាបាល 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 +336,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ផ្តល់ជូននូវរយៈពេល @@ -2136,7 +2140,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},សរុបគ្ DocType: BOM Website Operation,BOM Website Operation,Bom គេហទំព័រប្រតិបត្តិការ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ផ្តល់ជូននូវលិខិត apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,បង្កើតសម្ភារៈសំណើរ (MRP) និងការបញ្ជាទិញផលិតផល។ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,សរុបវិក័យប័ត្រ AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,សរុបវិក័យប័ត្រ AMT DocType: BOM,Conversion Rate,អត្រាការប្រែចិត្តជឿ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ស្វែងរកផលិតផល DocType: Timesheet Detail,To Time,ទៅពេល @@ -2150,7 +2154,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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,បណ្តុះបណ្តាព្រឹត្តិការណ៍បុគ្គលិក -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} លេខសៀរៀលដែលបានទាមទារសម្រាប់ធាតុ {1} ។ អ្នកបានផ្ដល់ {2} ។ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} លេខសៀរៀលដែលបានទាមទារសម្រាប់ធាតុ {1} ។ អ្នកបានផ្ដល់ {2} ។ DocType: Stock Reconciliation Item,Current Valuation Rate,អត្រាវាយតម្លៃនាពេលបច្ចុប្បន្ន DocType: Item,Customer Item Codes,កូដធាតុអតិថិជន apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,អត្រាប្តូរប្រាក់ចំណេញ / បាត់បង់ @@ -2197,7 +2201,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 +2454,Select Batch No,ជ្រើសបាច់គ្មាន +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,មុនចំនួនទឹកប្រាក់ @@ -2221,18 +2225,18 @@ DocType: Leave Block List,Allow Users,អនុញ្ញាតឱ្យអ្ន DocType: Purchase Order,Customer Mobile No,គ្មានគយចល័ត DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,តាមដានចំណូលដាច់ដោយឡែកនិងចំសម្រាប់បញ្ឈរផលិតផលឬការបែកបាក់។ DocType: Rename Tool,Rename Tool,ឧបករណ៍ប្តូរឈ្មោះ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,តម្លៃដែលធ្វើឱ្យទាន់សម័យ +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 +438,Show Salary Slip,គ្រូពេទ្យប្រហែលជាបង្ហាញប្រាក់ខែ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់ DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","បញ្ជាក់ប្រតិបត្តិការ, ការចំណាយប្រតិបត្ដិការនិងផ្ដល់ឱ្យនូវប្រតិបត្ដិការតែមួយគត់នោះទេដើម្បីឱ្យប្រតិបត្តិការរបស់អ្នក។" -apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,បន្ថែមពន្ធ +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,គណនីថវិកា @@ -2243,6 +2247,7 @@ DocType: Stock Entry,Purchase Receipt No,គ្មានបង្កាន់ដ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ប្រាក់ Earnest បាន DocType: Process Payroll,Create Salary Slip,បង្កើតប្រាក់ខែគ្រូពេទ្យប្រហែលជា apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / លេខកូដ SAC 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,បុគ្គលិក @@ -2272,7 +2277,7 @@ DocType: Employee Education,Post Graduate,ភ្នំពេញប៉ុស្ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ពត៌មានកាលវិភាគថែទាំ DocType: Quality Inspection Reading,Reading 9,ការអាន 9 DocType: Supplier,Is Frozen,ត្រូវបានជាប់គាំង -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,ឃ្លាំងថ្នាំងជាក្រុមមិនត្រូវបានអនុញ្ញាតដើម្បីជ្រើសសម្រាប់ប្រតិបត្តិការ +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,ឃ្លាំងថ្នាំងជាក្រុមមិនត្រូវបានអនុញ្ញាតដើម្បីជ្រើសសម្រាប់ប្រតិបត្តិការ DocType: Buying Settings,Buying Settings,ការកំណត់ការទិញ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,លេខ Bom សម្រាប់ធាតុល្អបានបញ្ចប់ DocType: Upload Attendance,Attendance To Date,ចូលរួមកាលបរិច្ឆេទ @@ -2287,13 +2292,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។" +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.js +153,You can not change rate if BOM mentioned agianst any item,អ្នកមិនអាចផ្លាស់ប្តូរអត្រាការបានប្រសិនបើ Bom បានរៀបរាប់ agianst ធាតុណាមួយ +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,ចប់ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},សូមបញ្ចូលសម្រាប់ធាតុគ្រោងទុក Qty {0} នៅក្នុងជួរដេក {1} @@ -2315,7 +2320,7 @@ DocType: Authorization Rule,Authorized Value,តម្លៃដែលបាន DocType: BOM,Show Operations,បង្ហាញប្រតិបត្តិការ ,Minutes to First Response for Opportunity,នាទីដើម្បីឆ្លើយតបដំបូងសម្រាប់ឱកាសការងារ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,សរុបអវត្តមាន -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,ឯកតារង្វាស់ DocType: Fiscal Year,Year End Date,ឆ្នាំបញ្ចប់កាលបរិច្ឆេទ DocType: Task Depends On,Task Depends On,ភារកិច្ចអាស្រ័យលើ @@ -2386,7 +2391,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},មិនអាចបង្កើតធាតុជាច្រើនទៀត {0} ជាងបរិមាណលំដាប់លក់ {1} +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/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,បន្ទាប់ទំនាក់ទំនងដោយមិនអាចជាដូចគ្នានឹងអាសយដ្ឋានអ៊ីមែលនាំមុខ @@ -2482,9 +2487,9 @@ 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 +789,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,យោង +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,យោង DocType: Budget,Cost Center,មជ្ឈមណ្ឌលការចំណាយ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,# កាតមានទឹកប្រាក់ DocType: Notification Control,Purchase Order Message,ទិញសារលំដាប់ @@ -2500,7 +2505,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 +1165,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,ការកំណត់តម្លៃភាគហ៊ុន @@ -2519,7 +2524,7 @@ DocType: Project,Task Completion,ការបំពេញភារកិច្ apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,មិនមែននៅក្នុងផ្សារ DocType: Appraisal,HR User,ធនធានមនុស្សរបស់អ្នកប្រើប្រាស់ DocType: Purchase Invoice,Taxes and Charges Deducted,ពន្ធនិងការចោទប្រកាន់កាត់ -apps/erpnext/erpnext/hooks.py +116,Issues,បញ្ហានានា +apps/erpnext/erpnext/hooks.py +124,Issues,បញ្ហានានា apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},ស្ថានភាពត្រូវតែជាផ្នែកមួយនៃ {0} DocType: Sales Invoice,Debit To,ឥណពន្ធដើម្បី DocType: Delivery Note,Required only for sample item.,បានទាមទារសម្រាប់តែធាតុគំរូ។ @@ -2548,6 +2553,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,សណ្ធានដី apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,សូមនិយាយពីមិនមាននៃការមើលដែលបានទាមទារ DocType: Stock Settings,Default Valuation Method,វិធីសាស្រ្តវាយតម្លៃលំនាំដើម +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ថ្លៃសេវា DocType: Vehicle Log,Fuel Qty,ប្រេងឥន្ធនៈ Qty DocType: Production Order Operation,Planned Start Time,ពេលវេលាចាប់ផ្ដើមគ្រោងទុក DocType: Course,Assessment,ការវាយតំលៃ @@ -2557,12 +2563,12 @@ 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 +149,Quotation {0} is cancelled,សម្រង់ {0} ត្រូវបានលុបចោល -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ចំនួនសរុប +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ចំនួនសរុប DocType: Sales Partner,Targets,គោលដៅ DocType: Price List,Price List Master,តារាងតម្លៃអនុបណ្ឌិត DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ទាំងអស់តិបត្តិការអាចនឹងត្រូវបានដាក់ស្លាកលក់បានច្រើនជនលក់ប្រឆាំងនឹង ** ** ដូច្នេះអ្នកអាចកំណត់និងត្រួតពិនិត្យគោលដៅ។ ,S.O. No.,សូលេខ -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},សូមបង្កើតអតិថិជនពីអ្នកដឹកនាំការ {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},សូមបង្កើតអតិថិជនពីអ្នកដឹកនាំការ {0} DocType: Price List,Applicable for Countries,អនុវត្តសម្រាប់បណ្តាប្រទេស apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ទុកឱ្យកម្មវិធីដែលមានស្ថានភាពប៉ុណ្ណោះ 'ត្រូវបានអនុម័ត "និង" បដិសេធ "អាចត្រូវបានដាក់ស្នើ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},និស្សិតឈ្មោះក្រុមគឺជាការចាំបាច់ក្នុងជួរ {0} @@ -2599,6 +2605,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/config/hr.py +163,Define various loan types,កំណត់ប្រភេទប្រាក់កម្ចីនានា DocType: Bin,FCFS Rate,អត្រា FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,ចំនួនទឹកប្រាក់ដ៏ឆ្នើម @@ -2641,8 +2648,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,ផ្ទេរសម្ 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.,ភាគរយបញ្ចុះតម្លៃអាចត្រូវបានអនុវត្តទាំងការប្រឆាំងនឹងតារាងតម្លៃមួយឬសម្រាប់តារាងតម្លៃទាំងអស់។ DocType: Purchase Invoice,Half-yearly,ពាក់កណ្តាលប្រចាំឆ្នាំ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ចូលគណនេយ្យសម្រាប់ក្រុមហ៊ុនផ្សារ +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,អ្នកបានវាយតម្លែរួចទៅហើយសម្រាប់លក្ខណៈវិនិច្ឆ័យវាយតម្លៃនេះ {} ។ DocType: Vehicle Service,Engine Oil,ប្រេងម៉ាស៊ីន -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំបុគ្គលិកដាក់ឈ្មោះប្រព័ន្ធជាធនធានមនុ> ការកំណត់ធនធានមនុស្ស 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,អាសយដ្ឋានអតិថិជន @@ -2670,7 +2677,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ផ្នែកច្បាប់អង្គភាព / តារាងរួមផ្សំជាមួយនឹងគណនីដាច់ដោយឡែកមួយដែលជាកម្មសិទ្ធិរបស់អង្គការនេះ។ DocType: Payment Request,Mute Email,ស្ងាត់អ៊ីម៉ែល apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","អាហារ, ភេសជ្ជៈនិងថ្នាំជក់" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,អត្រាការគណៈកម្មាការមិនអាចជាធំជាង 100 DocType: Stock Entry,Subcontract,របបម៉ៅការ apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,សូមបញ្ចូល {0} ដំបូង @@ -2698,7 +2705,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,សិស្សសន្លឹកអវត្តមានប្រចាំខែ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},បុគ្គលិក {0} បានអនុវត្តរួចហើយសម្រាប់ {1} រវាង {2} និង {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ការចាប់ផ្តើមគម្រោងកាលបរិច្ឆេទ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,រហូតមកដល់ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,រហូតមកដល់ DocType: Rename Tool,Rename Log,ប្តូរឈ្មោះចូល apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,និស្សិតក្រុមឬវគ្គសិក្សាកាលវិភាគគឺជាការចាំបាច់ DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,រក្សាបាននូវវិក័យប័ត្រនិងម៉ោងម៉ោងដូចគ្នានៅលើ Timesheet ការងារ @@ -2722,7 +2729,7 @@ DocType: Purchase Order Item,Returned Qty,ត្រឡប់មកវិញ Qty DocType: Employee,Exit,ការចាកចេញ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ប្រភេទជា Root គឺជាចាំបាច់ DocType: BOM,Total Cost(Company Currency),តម្លៃសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,សៀរៀលគ្មាន {0} បង្កើតឡើង +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,សៀរៀលគ្មាន {0} បង្កើតឡើង DocType: Homepage,Company Description for website homepage,សង្ខេបសម្រាប់គេហទំព័ររបស់ក្រុមហ៊ុនគេហទំព័រ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ចំពោះភាពងាយស្រួលនៃអតិថិជន, កូដទាំងនេះអាចត្រូវបានប្រើនៅក្នុងទ្រង់ទ្រាយបោះពុម្ពដូចជាការវិកិយប័ត្រនិងដឹកជញ្ជូនចំណាំ" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ឈ្មោះ Suplier @@ -2742,7 +2749,7 @@ DocType: SMS Settings,SMS Gateway URL,URL ដែលបានសារ SMS Gatewa apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,កាលវិភាគវគ្គសិក្សាបានលុប: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,កំណត់ហេតុសម្រាប់ការរក្សាស្ថានភាពចែកចាយផ្ញើសារជាអក្សរ DocType: Accounts Settings,Make Payment via Journal Entry,ធ្វើឱ្យសេវាទូទាត់តាមរយៈ Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,បោះពុម្ពលើ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,បោះពុម្ពលើ DocType: Item,Inspection Required before Delivery,ត្រូវការមុនពេលការដឹកជញ្ជូនអធិការកិច្ច DocType: Item,Inspection Required before Purchase,ត្រូវការមុនពេលការទិញអធិការកិច្ច apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,សកម្មភាពដែលមិនទាន់សម្រេច @@ -2774,9 +2781,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ឧបក apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ដែនកំណត់កាត់ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,មួយរយៈសិក្សាជាមួយនេះ "ឆ្នាំសិក្សា" {0} និង 'ឈ្មោះរយៈពេល' {1} រួចហើយ។ សូមកែប្រែធាតុទាំងនេះនិងព្យាយាមម្ដងទៀត។ -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ដូចជាមានការប្រតិបតិ្តការដែលមានស្រាប់ប្រឆាំងនឹងធាតុ {0}, អ្នកមិនអាចផ្លាស់ប្តូរតម្លៃនៃ {1}" +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}","ដូចជាមានការប្រតិបតិ្តការដែលមានស្រាប់ប្រឆាំងនឹងធាតុ {0}, អ្នកមិនអាចផ្លាស់ប្តូរតម្លៃនៃ {1}" DocType: UOM,Must be Whole Number,ត្រូវតែជាលេខទាំងមូល DocType: Leave Control Panel,New Leaves Allocated (In Days),ស្លឹកថ្មីដែលបានបម្រុងទុក (ក្នុងថ្ងៃ) +DocType: Sales Invoice,Invoice Copy,វិក័យប័ត្រចម្លង apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,សៀរៀលគ្មាន {0} មិនមាន DocType: Sales Invoice Item,Customer Warehouse (Optional),ឃ្លាំងអតិថិជន (ជាជម្រើស) DocType: Pricing Rule,Discount Percentage,ភាគរយបញ្ចុះតំលៃ @@ -2821,8 +2829,10 @@ 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 +305,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,គណនីរំលស់បង្គរ DocType: Stock Settings,Freeze Stock Entries,ធាតុបង្កហ៊ុន +DocType: Program Enrollment,Boarding Student,សិស្សប្រឹក្សាភិបាល DocType: Asset,Expected Value After Useful Life,តម្លៃបានគេរំពឹងថាបន្ទាប់ពីជីវិតដែលមានប្រយោជន៍ DocType: Item,Reorder level based on Warehouse,កម្រិតនៃការរៀបចំដែលមានមូលដ្ឋានលើឃ្លាំង DocType: Activity Cost,Billing Rate,អត្រាវិក័យប័ត្រ @@ -2850,11 +2860,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ជ្រើសរើសសិស្សនិស្សិតដោយដៃសម្រាប់សកម្មភាពដែលមានមូលដ្ឋាននៅក្រុម DocType: Journal Entry,User Remark,សំគាល់របស់អ្នកប្រើ DocType: Lead,Market Segment,ចំណែកទីផ្សារ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ចំនួនទឹកប្រាក់ដែលត្រូវចំណាយប្រាក់មិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់សរុបអវិជ្ជមាន {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ចំនួនទឹកប្រាក់ដែលត្រូវចំណាយប្រាក់មិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់សរុបអវិជ្ជមាន {0} DocType: Employee Internal Work History,Employee Internal Work History,ប្រវត្តិការងាររបស់បុគ្គលិកផ្ទៃក្នុង apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),បិទ (លោកបណ្ឌិត) DocType: Cheque Print Template,Cheque Size,ទំហំមូលប្បទានប័ត្រ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,គ្មានសៀរៀល {0} មិនត្រូវបាននៅក្នុងស្តុក +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,គ្មានសៀរៀល {0} មិនត្រូវបាននៅក្នុងស្តុក apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ពុម្ពពន្ធលើការលក់ការធ្វើប្រតិបត្តិការ។ DocType: Sales Invoice,Write Off Outstanding Amount,បិទការសរសេរចំនួនទឹកប្រាក់ដ៏ឆ្នើម apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},គណនី {0} មិនផ្គូផ្គងនឹងក្រុមហ៊ុន {1} @@ -2878,7 +2888,7 @@ 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 +348,Add a few sample records,បន្ថែមកំណត់ត្រាគំរូមួយចំនួនដែល +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,ផ្តល់ឱ្យបានពេញលេញ @@ -2892,17 +2902,17 @@ 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,គម្រោង Qty ផ្សារភាគហ៊ុន -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ទិញលំដាប់របស់អតិថិជន apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,សៀរៀលទេនិងបាច់ & ‧; DocType: Warranty Claim,From Company,ពីក្រុមហ៊ុន -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ផលបូកនៃពិន្ទុវាយតំលៃត្រូវការដើម្បីឱ្យមាន {0} ។ +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,ផលបូកនៃពិន្ទុវាយតំលៃត្រូវការដើម្បីឱ្យមាន {0} ។ 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 +270,Minute,នាទី +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,នាទី DocType: Purchase Invoice,Purchase Taxes and Charges,ទិញពន្ធនិងការចោទប្រកាន់ ,Qty to Receive,qty ទទួល DocType: Leave Block List,Leave Block List Allowed,ទុកឱ្យប្លុកដែលបានអនុញ្ញាតក្នុងបញ្ជី @@ -2922,7 +2932,7 @@ DocType: Production Order,PRO-,គាំទ្រ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ធនាគាររូបារូប apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ធ្វើឱ្យប្រាក់ខែគ្រូពេទ្យប្រហែលជា apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ជួរដេក # {0}: ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចច្រើនជាងចំនួនពូកែ។ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,រកមើល Bom +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,រកមើល Bom apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ការផ្តល់កម្ចីដែលមានសុវត្ថិភាព DocType: Purchase Invoice,Edit Posting Date and Time,កែសម្រួលប្រកាសកាលបរិច្ឆេទនិងពេលវេលា apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},សូមកំណត់ដែលទាក់ទងនឹងការរំលស់ក្នុងគណនីទ្រព្យសកម្មប្រភេទឬ {0} {1} ក្រុមហ៊ុន @@ -2938,7 +2948,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 +278,Select Quantity,ជ្រើសបរិមាណ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,ជាវពីអ៊ីម៉ែលនេះសង្ខេប @@ -2961,6 +2971,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},មិនត្រូវបានអនុញ្ញាតឱ្យធ្វើបច្ចុប្បន្នភាពប្រតិបតិ្តការភាគហ៊ុនចាស់ជាង {0} DocType: Purchase Invoice Item,PR Detail,ពត៌មាននៃការិយាល័យទទួលជំនួយផ្ទាល់ DocType: Sales Order,Fully Billed,ផ្សព្វផ្សាយឱ្យបានពេញលេញ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ហាងទំនិញ> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ 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 +127,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),ទំងន់សរុបនៃកញ្ចប់។ ជាធម្មតាមានទម្ងន់សុទ្ធ + + ការវេចខ្ចប់មានទម្ងន់សម្ភារៈ។ (សម្រាប់ការបោះពុម្ព) @@ -2999,8 +3010,9 @@ 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} គឺមិនត្រូវបានដាក់ស្នើ DocType: Customs Tariff Number,Tariff Number,លេខពន្ធ +DocType: Production Order Item,Available Qty at WIP Warehouse,ដែលអាចប្រើបាននៅក្នុងឃ្លាំង WIP Qty apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ការព្យាករ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ឃ្លាំង {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ឃ្លាំង {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,ចំណាំ: ប្រព័ន្ធនឹងមិនបានពិនិត្យមើលលើការចែកចាយនិងការកក់សម្រាប់ធាតុ {0} ជាបរិមាណឬចំនួនទឹកប្រាក់គឺ 0 DocType: Notification Control,Quotation Message,សារសម្រង់ DocType: Employee Loan,Employee Loan Application,កម្មវិធីបុគ្គលិកឥណទាន @@ -3019,13 +3031,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ចំនួនប័ណ្ណការចំណាយបានចុះចត apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,វិក័យប័ត្រដែលបានលើកឡើងដោយអ្នកផ្គត់ផ្គង់។ DocType: POS Profile,Write Off Account,បិទការសរសេរគណនី -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ឥណពន្ធចំណាំ AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ឥណពន្ធចំណាំ AMT apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ចំនួនការបញ្ចុះតំលៃ 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 +207,e.g. VAT,ឧអាករលើតម្លៃបន្ថែម +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,អនុកិច្ចសន្យា @@ -3033,7 +3045,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 +1945,Please select customer,សូមជ្រើសអតិថិជន +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,សូមជ្រើសអតិថិជន DocType: C-Form,I,ខ្ញុំ DocType: Company,Asset Depreciation Cost Center,មជ្ឈមណ្ឌលតម្លៃរំលស់ទ្រព្យសម្បត្តិ DocType: Sales Order Item,Sales Order Date,លំដាប់ការលក់កាលបរិច្ឆេទ @@ -3062,7 +3074,7 @@ DocType: Lead,Address Desc,អាសយដ្ឋាន DESC apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,គណបក្សជាការចាំបាច់ DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ប្រធានបទឈ្មោះ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,យ៉ាងហោចណាស់មួយនៃការលក់ឬទិញត្រូវតែត្រូវបានជ្រើស & ‧; +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,យ៉ាងហោចណាស់មួយនៃការលក់ឬទិញត្រូវតែត្រូវបានជ្រើស & ‧; apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ជ្រើសធម្មជាតិនៃអាជីវកម្មរបស់អ្នក។ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ជួរដេក # {0}: ស្ទួនធាតុនៅក្នុងឯកសារយោង {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ដែលជាកន្លែងដែលប្រតិបត្ដិការផលិតត្រូវបានអនុវត្ត។ @@ -3071,7 +3083,7 @@ 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} DocType: Employee,Confirmation Date,ការអះអាងកាលបរិច្ឆេទ DocType: C-Form,Total Invoiced Amount,ចំនួន invoiced សរុប -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,លោក Min Qty មិនអាចជាធំជាងអតិបរមា Qty +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,លោក Min Qty មិនអាចជាធំជាងអតិបរមា Qty DocType: Account,Accumulated Depreciation,រំលស់បង្គរ DocType: Stock Entry,Customer or Supplier Details,សេចក្ដីលម្អិតអតិថិជនឬផ្គត់ផ្គង់ DocType: Employee Loan Application,Required by Date,ទាមទារដោយកាលបរិច្ឆេទ @@ -3100,10 +3112,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ដីកា apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ឈ្មោះក្រុមហ៊ុនមិនអាចត្រូវបានក្រុមហ៊ុន apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ប្រមុខលិខិតសម្រាប់ពុម្ពអក្សរ។ apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ការផ្តល់ប័ណ្ណសម្រាប់ពុម្ពដែលបោះពុម្ពឧ Proforma វិក័យប័ត្រ។ +DocType: Program Enrollment,Walking,ការដើរ DocType: Student Guardian,Student Guardian,អាណាព្យាបាលរបស់សិស្ស apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ការចោទប្រកាន់មិនអាចវាយតម្លៃប្រភេទសម្គាល់ថាជាការរួមបញ្ចូល DocType: POS Profile,Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ហាងទំនិញ> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ផ្សេងគ្នាសម្រាប់ធាតុនឹងនាំឱ្យមានមិនត្រឹមត្រូវ (សរុប) តម្លៃទម្ងន់សុទ្ធ។ សូមប្រាកដថាទម្ងន់សុទ្ធនៃធាតុគ្នាគឺនៅ UOM ដូចគ្នា។ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,អត្រា Bom DocType: Asset,Journal Entry for Scrap,ទិនានុប្បវត្តិធាតុសម្រាប់សំណល់អេតចាយ @@ -3157,7 +3169,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,សម្រាកឡើងពន្ធលើការបង្ហាញ apps/erpnext/erpnext/accounts/party.py +308,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,គ្មានសិស្សនិស្សិតបានរកឃើញ @@ -3177,14 +3188,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,គ្មានសិស្សនៅក្នុង +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 +108,Please enter 'Expected Delivery Date',សូមបញ្ចូល 'កាលបរិច្ឆេទដឹកជញ្ជូនរំពឹងទុក " apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN មិនត្រឹមត្រូវឬបញ្ចូលរដ្ឋសភាសម្រាប់មិនបានចុះឈ្មោះ +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN មិនត្រឹមត្រូវឬបញ្ចូលរដ្ឋសភាសម្រាប់មិនបានចុះឈ្មោះ DocType: Training Event,Seminar,សិក្ខាសាលា DocType: Program Enrollment Fee,Program Enrollment Fee,ថ្លៃសេវាកម្មវិធីការចុះឈ្មោះ DocType: Item,Supplier Items,ក្រុមហ៊ុនផ្គត់ផ្គង់ធាតុ @@ -3214,21 +3225,23 @@ DocType: Sales Team,Contribution (%),ចំែណក (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ចំណាំ: ការទូទាត់នឹងមិនចូលត្រូវបានបង្កើតតាំងពីសាច់ប្រាក់ឬគណនីធនាគារ 'មិនត្រូវបានបញ្ជាក់ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ការទទួលខុសត្រូវ DocType: Expense Claim Account,Expense Claim Account,គណនីបណ្តឹងទាមទារការចំណាយ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ការដាក់ឈ្មោះកម្រងឯកសារសម្រាប់ {0} តាមរយៈការដំឡើង> ករកំណត់> ដាក់ឈ្មោះកម្រងឯកសារ 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,បន្ថែមអ្នកប្រើ 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 នាក់។ DocType: Stock Reconciliation Item,Before reconciliation,មុនពេលការផ្សះផ្សាជាតិ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ដើម្បី {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ពន្ធនិងការចោទប្រកាន់បន្ថែម (ក្រុមហ៊ុនរូបិយវត្ថុ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ជួរដេកពន្ធធាតុ {0} ត្រូវតែមានគណនីនៃប្រភេទពន្ធឬប្រាក់ចំណូលឬការចំណាយឬបន្ទុក +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ជួរដេកពន្ធធាតុ {0} ត្រូវតែមានគណនីនៃប្រភេទពន្ធឬប្រាក់ចំណូលឬការចំណាយឬបន្ទុក DocType: Sales Order,Partly Billed,ផ្សព្វផ្សាយមួយផ្នែក apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ធាតុ {0} ត្រូវតែជាទ្រព្យសកម្មមួយដែលមានកាលកំណត់ធាតុ DocType: Item,Default BOM,Bom លំនាំដើម -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ចំនួនទឹកប្រាក់ឥណពន្ធចំណាំ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ចំនួនទឹកប្រាក់ឥណពន្ធចំណាំ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,សូមប្រភេទឈ្មោះរបស់ក្រុមហ៊ុនដើម្បីបញ្ជាក់ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,សរុបឆ្នើម AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,សរុបឆ្នើម AMT DocType: Journal Entry,Printing Settings,ការកំណត់បោះពុម្ព DocType: Sales Invoice,Include Payment (POS),រួមបញ្ចូលការទូទាត់ (ម៉ាស៊ីនឆូតកាត) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ឥណពន្ធសរុបត្រូវតែស្មើនឹងឥណទានសរុប។ ភាពខុសគ្នានេះគឺ {0} @@ -3236,20 +3249,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,រថ DocType: Vehicle,Insurance Company,ក្រុមហ៊ុនធានារ៉ាប់រង DocType: Asset Category Account,Fixed Asset Account,គណនីទ្រព្យសកម្មថេរ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,អថេរ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ពីការដឹកជញ្ជូនចំណាំ +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ពីការដឹកជញ្ជូនចំណាំ DocType: Student,Student Email Address,អាសយដ្ឋានអ៊ីមែលរបស់សិស្ស DocType: Timesheet Detail,From Time,ចាប់ពីពេលវេលា apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,នៅក្នុងស្តុក: DocType: Notification Control,Custom Message,សារផ្ទាល់ខ្លួន apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ធនាគារវិនិយោគ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,គណនីសាច់ប្រាក់ឬធនាគារជាការចាំបាច់សម្រាប់ការធ្វើឱ្យធាតុដែលបានទូទាត់ប្រាក់ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំចំនួនតាមរយៈការចូលរួមស៊េរីសម្រាប់ការដំឡើង> លេខស៊េរី apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,អាសយដ្ឋានសិស្ស apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,អាសយដ្ឋានសិស្ស 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 +1517,Address Name,ឈ្មោះអាសយដ្ឋាន +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ឈ្មោះអាសយដ្ឋាន DocType: Stock Entry,From BOM,ចាប់ពី Bom DocType: Assessment Code,Assessment Code,ក្រមការវាយតំលៃ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ជាមូលដ្ឋាន @@ -3266,7 +3278,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។ +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/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,ចំនួនទឹកប្រាក់ដែលត្រូវសងប្រចាំខែមិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់ឥណទាន @@ -3274,7 +3286,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,និស្សិតត្រូវបានចុះឈ្មោះរួចហើយ។ @@ -3283,7 +3295,7 @@ DocType: Process Payroll,Process Payroll,បើកប្រាក់បៀវត apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,មានថ្ងៃឈប់សម្រាកច្រើនជាងថ្ងៃធ្វើការខែនេះ។ DocType: Product Bundle Item,Product Bundle Item,ផលិតផលធាតុកញ្ចប់ DocType: Sales Partner,Sales Partner Name,ឈ្មោះដៃគូការលក់ -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,សំណើរពីតំលៃ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,សំណើរពីតំលៃ DocType: Payment Reconciliation,Maximum Invoice Amount,ចំនួនវិក័យប័ត្រអតិបរមា DocType: Student Language,Student Language,ភាសារបស់សិស្ស apps/erpnext/erpnext/config/selling.py +23,Customers,អតិថិជន @@ -3294,7 +3306,7 @@ DocType: Asset,Partially Depreciated,ធ្លាក់ថ្លៃដោយផ DocType: Issue,Opening Time,ម៉ោងបើក apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ពីនិងដើម្បីកាលបរិច្ឆេទដែលបានទាមទារ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ផ្លាស់ប្តូរទំនិញនិងមូលបត្រ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ '{0} "ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ' {1} ' +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 +847,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត @@ -3313,7 +3325,7 @@ 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 +266,Raw Material,វត្ថុធាតុដើម +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃ @@ -3325,7 +3337,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,បើកកាលបរិច្ឆេទគួរតែមានមុនកាលបរិចេ្ឆទផុតកំណត់ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ការដាក់ឈ្មោះកម្រងឯកសារសម្រាប់ {0} តាមរយៈការដំឡើង> ករកំណត់> ដាក់ឈ្មោះកម្រងឯកសារ 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.,ថ្ងៃដែលថ្ងៃឈប់សម្រាកត្រូវបានបិទសម្រាប់នាយកដ្ឋាននេះ។ @@ -3338,8 +3349,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',មិនអាចធ្វើការកាត់កងនៅពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'វាយតម្លៃនិងសរុប -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Nos ដែលត្រូវការសម្រាប់ធាតុសៀរៀលសៀរៀល {0} +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/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,វិកិយប័ត្រទូទាត់ប្រកួតជាមួយ DocType: Journal Entry,Bank Entry,ចូលធនាគារ DocType: Authorization Rule,Applicable To (Designation),ដែលអាចអនុវត្តទៅ (រចនា) @@ -3356,7 +3367,7 @@ 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 +270,Hour,ហួរ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យអនុម័តស្លឹកនៅលើកាលបរិច្ឆេទប្លុក @@ -3366,7 +3377,7 @@ 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 +645,Point of Sale,ចំណុចនៃការលក់ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,ចំណុចនៃការលក់ DocType: Payment Entry,Received Amount,ទទួលបានចំនួនទឹកប្រាក់ DocType: GST Settings,GSTIN Email Sent On,GSTIN ផ្ញើអ៊ីម៉ែលនៅលើ DocType: Program Enrollment,Pick/Drop by Guardian,ជ្រើសយក / ទម្លាក់ដោយអាណាព្យាបាល @@ -3383,8 +3394,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 +270,Gram,ក្រាម -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។ +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/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 គ្រឿង។ @@ -3410,14 +3421,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 +465,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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 វត្តមានសម្រាប់បុគ្គលិកច្រើន @@ -3448,7 +3459,7 @@ 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 +436,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,រដ្ឋវិក័យប័ត្រ @@ -3496,7 +3507,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},គុណលក្ខណៈមិនត្រឹមត្រូវ {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',សូមជ្រើសក្រុមការវាយតម្លៃផ្សេងទៀតជាង "ក្រុមវាយតម្លៃទាំងអស់ ' @@ -3598,16 +3609,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,សមាសភាគ DocType: Program Enrollment Tool,New Academic Year,ឆ្នាំសិក្សាថ្មី apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ការវិលត្រឡប់ / ឥណទានចំណាំ DocType: Stock Settings,Auto insert Price List rate if missing,បញ្ចូលដោយស្វ័យប្រវត្តិប្រសិនបើអ្នកមានអត្រាតារាងតម្លៃបាត់ខ្លួន -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់សរុប +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់សរុប DocType: Production Order Item,Transferred Qty,ផ្ទេរ Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,ការរុករក 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 +272,We sell this Item,យើងលក់ធាតុនេះ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,ទិន្នន័យគំរូ 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,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃ @@ -3655,7 +3668,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 +1186,Please set Company,សូមកំណត់ក្រុមហ៊ុន +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,សូមកំណត់ក្រុមហ៊ុន DocType: Pricing Rule,Buying,ការទិញ DocType: HR Settings,Employee Records to be created by,កំណត់ត្រាបុគ្គលិកដែលនឹងត្រូវបានបង្កើតឡើងដោយ DocType: POS Profile,Apply Discount On,អនុវត្តការបញ្ចុះតំលៃនៅលើ @@ -3672,13 +3685,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,ប្រមូលថ្លៃ DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},លេខកូដ {0} ត្រូវបានប្រើរួចហើយនៅក្នុងធាតុ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},លេខកូដ {0} ត្រូវបានប្រើរួចហើយនៅក្នុងធាតុ {1} DocType: Lead,Add to calendar on this date,បញ្ចូលទៅក្នុងប្រតិទិនស្តីពីកាលបរិច្ឆេទនេះ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ក្បួនសម្រាប់ការបន្ថែមការចំណាយលើការដឹកជញ្ជូន។ DocType: Item,Opening Stock,ការបើកផ្សារហ៊ុន apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,អតិថិជនគឺត្រូវបានទាមទារ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} គឺជាការចាំបាច់សម្រាប់ការត្រឡប់ DocType: Purchase Order,To Receive,ដើម្បីទទួលបាន +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,អ៊ីម៉ែលផ្ទាល់ខ្លួន apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,អថេរចំនួនសរុប DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",បើអនុញ្ញាតប្រព័ន្ធនេះនឹងផ្តល់ការបញ្ចូលគណនីសម្រាប់ការដោយស្វ័យប្រវត្តិ។ @@ -3689,7 +3703,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 +541,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ស្តង់ដាលក់ @@ -3697,7 +3711,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,ចេញពីការធានា DocType: BOM Replace Tool,Replace,ជំនួស apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,គ្មានផលិតផលដែលបានរកឃើញ។ -DocType: Production Order,Unstopped,ឮ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} ប្រឆាំងនឹងការលក់វិក័យប័ត្រ {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,ឈ្មោះគម្រោង @@ -3708,6 +3721,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} 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} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត @@ -3745,9 +3759,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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,ក្រុមហ៊ុន Daily បានធ្វើការកំណត់ការសង្ខេប -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,ធាតុ {0} មិនអើពើចាប់តាំងពីវាគឺមិនមានធាតុភាគហ៊ុន +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 +40,Submit this Production Order for further processing.,ដាក់ស្នើសម្រាប់ដំណើរការបន្ថែមផលិតកម្មលំដាប់នេះ។ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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 @@ -3755,12 +3769,14 @@ 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 +209,Rate (%),អត្រាការប្រាក់ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",បន្ថែមអ្នកប្រើប្រាស់ក្នុងអង្គការរបស់អ្នកក្រៅពីខ្លួនអ្នកផ្ទាល់ +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',សូមកំណត់ក្រុមហ៊ុនត្រងនៅទទេប្រសិនបើក្រុមតាមគឺ 'ក្រុមហ៊ុន' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,ការប្រកាសកាលបរិច្ឆេទមិនអាចបរិច្ឆេទនាពេលអនាគត apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ជួរដេក # {0}: សៀរៀលគ្មាន {1} មិនផ្គូផ្គងនឹង {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ចាកចេញធម្មតា @@ -3789,7 +3805,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,ភាគហ៊ុនធាតុ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ ជួរឈរត្រូវទទេ +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 ។ ជួរឈរត្រូវទទេ DocType: Accounts Settings,Accounts Settings,ការកំណត់គណនី apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,អនុម័ត DocType: Customer,Sales Partner and Commission,ការលក់ដៃគូនិងគណៈកម្មការ @@ -3804,7 +3820,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 +62,{0} items produced,{0} ធាតុផលិត +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,ត្រឡប់មកវិញ @@ -3818,7 +3834,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,អត្រាប្តូរប្រាក់ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,គ្រប់គ្រងកងនាវា @@ -3843,18 +3859,18 @@ 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 +705,Online,លើបណ្តាញ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ត្រូវបានបិទ DocType: Employee Loan,Repay Fixed Amount per Period,សងចំនួនថេរក្នុងមួយរយៈពេល apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},សូមបញ្ចូលបរិមាណសម្រាប់ធាតុ {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ឥណទានចំណាំ AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ឥណទានចំណាំ AMT DocType: Employee External Work History,Employee External Work History,បុគ្គលិកខាងក្រៅប្រវត្តិការងារ DocType: Tax Rule,Purchase,ការទិញ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,មានតុល្យភាព Qty @@ -3880,7 +3896,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 +2383,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ DocType: Employee,Encashment Date,Encashment កាលបរិច្ឆេទ DocType: Training Event,Internet,អ៊ីនធើណែ DocType: Account,Stock Adjustment,ការលៃតម្រូវភាគហ៊ុន @@ -3910,6 +3926,7 @@ DocType: Guardian,Guardian Of ,អាណាព្យាបាល DocType: Grading Scale Interval,Threshold,កម្រិតពន្លឺ DocType: BOM Replace Tool,Current BOM,Bom នាពេលបច្ចុប្បន្ន apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,បន្ថែមគ្មានសៀរៀល +DocType: Production Order Item,Available Qty at Source Warehouse,ដែលអាចប្រើបាន Qty នៅឃ្លាំងប្រភព apps/erpnext/erpnext/config/support.py +22,Warranty,ការធានា DocType: Purchase Invoice,Debit Note Issued,ចេញផ្សាយឥណពន្ធចំណាំ DocType: Production Order,Warehouses,ឃ្លាំង @@ -3925,13 +3942,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ចំនួ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ប្រធានគ្រប់គ្រងគម្រោង ,Quoted Item Comparison,ធាតុដកស្រង់សម្តីប្រៀបធៀប apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,បញ្ជូន -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាដែលបានអនុញ្ញាតសម្រាប់ធាតុ: {0} គឺ {1}% +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 +279,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 +879,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ" DocType: Item,Material Issue,សម្ភារៈបញ្ហា DocType: Hub Settings,Seller Description,អ្នកលក់ការពិពណ៌នាសង្ខេប DocType: Employee Education,Qualification,គុណវុឌ្ឍិ @@ -3955,7 +3972,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 +200,Cannot cancel because submitted Stock Entry {0} exists,មិនអាចលុបចោលដោយសារតែការដាក់ស្នើផ្សារការធាតុមាន {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,មិនអាចលុបចោលដោយសារតែការដាក់ស្នើផ្សារការធាតុមាន {0} DocType: Employee Loan,Disbursement Date,កាលបរិច្ឆេទបញ្ចេញឥណទាន DocType: Vehicle,Vehicle,រថយន្ត DocType: Purchase Invoice,In Words,នៅក្នុងពាក្យ @@ -3976,7 +3993,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",ដើម្បីកំណត់ឆ្នាំសារពើពន្ធនេះជាលំនាំដើមសូមចុចលើ "កំណត់ជាលំនាំដើម ' apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ចូលរួមជាមួយ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,កង្វះខាត Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា DocType: Employee Loan,Repay from Salary,សងពីប្រាក់ខែ DocType: Leave Application,LAP/,ភ្លៅ / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ស្នើសុំការទូទាត់ប្រឆាំងនឹង {0} {1} ចំនួន {2} @@ -3994,18 +4011,18 @@ 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 +1011,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។ +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,សៀរៀល {0} គ្មានត្រូវបានទទួលរួចហើយ +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: Expense Claim,Vehicle Log,រថយន្តចូល DocType: Purchase Invoice,Recurring Id,លេខសម្គាល់កើតឡើង DocType: Customer,Sales Team Details,ពត៌មានលំអិតការលក់ក្រុមការងារ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,លុបជារៀងរហូត? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},មិនត្រឹមត្រូវ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},មិនត្រឹមត្រូវ {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ស្លឹកឈឺ DocType: Email Digest,Email Digest,អ៊ីម៉ែលសង្ខេប DocType: Delivery Note,Billing Address Name,វិក័យប័ត្រឈ្មោះអាសយដ្ឋាន @@ -4018,6 +4035,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,បន្ទុក DocType: Company,Change Abbreviation,ការផ្លាស់ប្តូរអក្សរកាត់ DocType: Expense Claim Detail,Expense Date,ការចំណាយកាលបរិច្ឆេទ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,កូដធាតុ> ធាតុគ្រុប> ម៉ាក DocType: Item,Max Discount (%),អតិបរមាការបញ្ចុះតម្លៃ (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,ចំនួនទឹកប្រាក់លំដាប់ចុងក្រោយ DocType: Task,Is Milestone,តើការវិវឌ្ឍ @@ -4041,8 +4059,8 @@ DocType: Program Enrollment Tool,New Program,កម្មវិធីថ្ម DocType: Item Attribute Value,Attribute Value,តម្លៃគុណលក្ខណៈ ,Itemwise Recommended Reorder Level,Itemwise ផ្ដល់អនុសាសន៍រៀបចំវគ្គ DocType: Salary Detail,Salary Detail,លំអិតប្រាក់ខែ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,សូមជ្រើស {0} ដំបូង -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,បាច់នៃ {0} {1} ធាតុបានផុតកំណត់។ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,សូមជ្រើស {0} ដំបូង +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,បាច់នៃ {0} {1} ធាតុបានផុតកំណត់។ DocType: Sales Invoice,Commission,គណៈកម្មការ apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ពេលវេលាសម្រាប់ការផលិតសន្លឹក។ apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,សរុបរង @@ -4067,12 +4085,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 +399,Operation Time must be greater than 0 for Operation {0},ប្រតិបត្ដិការពេលវេលាត្រូវតែធំជាង 0 សម្រាប់ប្រតិបត្ដិការ {0} +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/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 +387,Production Order cannot be raised against a Item Template,ផលិតកម្មលំដាប់មិនអាចត្រូវបានលើកឡើងប្រឆាំងនឹងការធាតុមួយទំព័រគំរូ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,ថ្ងៃចាប់ផ្តើម @@ -4102,7 +4120,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,បោះចោលកាលបរិច្ឆេទ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",អ៊ីមែលនឹងត្រូវបានផ្ញើទៅបុគ្គលិកសកម្មអស់ពីក្រុមហ៊ុននេះនៅម៉ោងដែលបានផ្តល់ឱ្យប្រសិនបើពួកគេមិនមានថ្ងៃឈប់សម្រាក។ សេចក្ដីសង្ខេបនៃការឆ្លើយតបនឹងត្រូវបានផ្ញើនៅកណ្តាលអធ្រាត្រ។ DocType: Employee Leave Approver,Employee Leave Approver,ទុកឱ្យការអនុម័តបុគ្គលិក -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",មិនអាចប្រកាសបាត់បង់នោះទេព្រោះសម្រង់ត្រូវបានធ្វើឡើង។ 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} ត្រូវតែត្រូវបានដាក់ជូន @@ -4135,6 +4153,7 @@ DocType: Announcement,Student,សិស្ស apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,អង្គភាព (ក្រសួង) មេ។ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,សូមបញ្ចូល NOS ទូរស័ព្ទដៃដែលមានសុពលភាព apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,សូមបញ្ចូលសារមុនពេលផ្ញើ +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE សម្រាប់ផ្គត់ផ្គង់ DocType: Email Digest,Pending Quotations,ការរង់ចាំសម្រង់សម្តី apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ចំណុចនៃការលក់ពត៌មានផ្ទាល់ខ្លួន apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,សូមធ្វើឱ្យទាន់សម័យការកំណត់ការផ្ញើសារជាអក្សរ @@ -4143,7 +4162,7 @@ DocType: Cost Center,Cost Center Name,ឈ្មោះមជ្ឈមណ្ឌល DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,ម៉ោងអតិបរមាប្រឆាំងនឹង Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,កាលបរិច្ឆេទដែលបានកំណត់ពេល -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,សរុបបង់ AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,សរុបបង់ AMT DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,សារដែលបានធំជាង 160 តួអក្សរដែលនឹងត្រូវចែកចេញជាសារច្រើន DocType: Purchase Receipt Item,Received and Accepted,បានទទួលនិងទទួលយក ,GST Itemised Sales Register,ជីអេសធីធាតុលក់ចុះឈ្មោះ @@ -4153,7 +4172,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 +237,Your Suppliers,អ្នកផ្គត់ផ្គង់របស់អ្នក +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',មិនអាចកាត់ពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'Vaulation និងសរុប @@ -4165,7 +4184,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញ Reciept ទាមទារ == "បាទ" ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវតែបង្កើតការទទួលទិញជាលើកដំបូងសម្រាប់ធាតុ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,គេហទំព័ររូបភាព {0} បានភ្ជាប់ទៅនឹងធាតុ {1} មិនអាចត្រូវបានរកឃើញ +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.,រាយធាតុនេះនៅក្នុងក្រុមជាច្រើននៅលើគេហទំព័រ។ @@ -4180,7 +4199,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,តើធ្ apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ដើម្បីឃ្លាំង apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,សិស្សទាំងអស់ការចុះឈ្មោះចូលរៀន ,Average Commission Rate,គណៈកម្មការជាមធ្យមអត្រាការ -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'មិនមានមិនសៀរៀល' មិនអាចក្លាយជា 'បាទ' សម្រាប់ធាតុដែលមិនមែនជាភាគហ៊ុន- +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'មិនមានមិនសៀរៀល' មិនអាចក្លាយជា 'បាទ' សម្រាប់ធាតុដែលមិនមែនជាភាគហ៊ុន- apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ការចូលរួមមិនអាចត្រូវបានសម្គាល់សម្រាប់កាលបរិច្ឆេទនាពេលអនាគត DocType: Pricing Rule,Pricing Rule Help,វិធានកំណត់តម្លៃជំនួយ DocType: School House,House Name,ឈ្មោះផ្ទះ @@ -4196,7 +4215,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 +339,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,កាលបរិច្ឆេទការធានារ៉ាប់រងការចាប់ផ្តើមគួរតែតិចជាងកាលបរិច្ឆេទធានារ៉ាប់រងបញ្ចប់ @@ -4211,20 +4230,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចហើយសម្រាប់តារាងពេលវេលា {1} DocType: Vehicle Log,Odometer,odometer DocType: Sales Order Item,Ordered Qty,បានបញ្ជាឱ្យ Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ +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 +874,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,សេចក្ដីលម្អិតចាក់ប្រេង apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,បង្កើតប្រាក់ខែគ្រូពេទ្យប្រហែលជា -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",ទិញត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",ទិញត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ការបញ្ចុះតម្លៃត្រូវតែមានតិចជាង 100 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 +500,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,កម្មវិធីការចុះឈ្មោះ DocType: Landed Cost Voucher,Landed Cost Voucher,ប័ណ្ណតម្លៃដែលបានចុះចត @@ -4287,7 +4306,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,កាលបរិច្ឆេទគេរំពឹងថានឹងមិនអាចមានមុនពេលដែលកាលបរិច្ឆេទនៃសំណើសុំសម្ភារៈ DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty -DocType: Production Order,Source Warehouse (for reserving Items),ឃ្លាំងប្រភព (សម្រាប់ទុកធាតុ) DocType: Employee Loan,Repayment Period in Months,រយៈពេលសងប្រាក់ក្នុងខែ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,កំហុស: មិនមានអត្តសញ្ញាណប័ណ្ណដែលមានសុពលភាព? DocType: Naming Series,Update Series Number,កម្រងឯកសារលេខធ្វើឱ្យទាន់សម័យ @@ -4336,7 +4354,7 @@ DocType: Production Order,Planned End Date,កាលបរិច្ឆេទប apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,ដែលជាកន្លែងដែលធាតុត្រូវបានរក្សាទុក។ DocType: Request for Quotation,Supplier Detail,ក្រុមហ៊ុនផ្គត់ផ្គង់លំអិត apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},កំហុសក្នុងការនៅក្នុងរូបមន្តឬស្ថានភាព: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ចំនួន invoiced +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ចំនួន invoiced DocType: Attendance,Attendance,ការចូលរួម apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,ធាតុភាគហ៊ុន DocType: BOM,Materials,សមា្ភារៈ @@ -4376,10 +4394,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,ការរៀបចំវែបសាយសាមញ្ញសម្រាប់អង្គការរបស់ខ្ញុំ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0} DocType: Item,Default Warehouse,ឃ្លាំងលំនាំដើម apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ថវិកាដែលមិនអាចត្រូវបានផ្ដល់ប្រឆាំងនឹងគណនីគ្រុប {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,សូមបញ្ចូលមជ្ឈមណ្ឌលចំណាយឪពុកម្តាយ @@ -4441,7 +4459,7 @@ 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 +1344,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី +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/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,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់បុគ្គលិកនេះ @@ -4449,6 +4467,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,នៅឆ្នាំកាលបរិច្ឆេទចាប់ផ្តើម DocType: Attendance,Employee Name,ឈ្មោះបុគ្គលិក DocType: Sales Invoice,Rounded Total (Company Currency),សរុបមូល (ក្រុមហ៊ុនរូបិយវត្ថុ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំបុគ្គលិកដាក់ឈ្មោះប្រព័ន្ធជាធនធានមនុ> ការកំណត់ធនធានមនុស្ស 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} បានកែប្រែទេ។ សូមផ្ទុកឡើងវិញ។ DocType: Leave Block List,Stop users from making Leave Applications on following days.,បញ្ឈប់ការរបស់អ្នកប្រើពីការធ្វើឱ្យកម្មវិធីដែលបានចាកចេញនៅថ្ងៃបន្ទាប់។ @@ -4471,7 +4490,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,ការអានទី 3 ,Hub,ហាប់ DocType: GL Entry,Voucher Type,ប្រភេទកាតមានទឹកប្រាក់ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} ត្រូវតែត្រូវបានកំណត់ជា "ឆ្វេង" @@ -4491,7 +4510,7 @@ DocType: POS Profile,Account for Change Amount,គណនីសម្រាប់ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ជួរដេក {0}: គណបក្ស / គណនីមិនផ្គូផ្គងនឹង {1} / {2} នៅក្នុង {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,សូមបញ្ចូលចំណាយតាមគណនី DocType: Account,Stock,ភាគហ៊ុន -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ" DocType: Employee,Current Address,អាសយដ្ឋានបច្ចុប្បន្ន DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ប្រសិនបើមានធាតុគឺវ៉ារ្យ៉ង់នៃធាតុផ្សេងទៀតបន្ទាប់មកពិពណ៌នា, រូបភាព, ការកំណត់តម្លៃពន្ធលនឹងត្រូវបានកំណត់ពីពុម្ពមួយនេះទេលុះត្រាតែបានបញ្ជាក់យ៉ាងជាក់លាក់" DocType: Serial No,Purchase / Manufacture Details,ទិញ / ពត៌មានលំអិតការផលិត @@ -4530,11 +4549,12 @@ DocType: Student,Home Address,អាសយដ្ឋានផ្ទះ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ផ្ទេរទ្រព្យសម្បត្តិ DocType: POS Profile,POS Profile,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួន DocType: Training Event,Event Name,ឈ្មោះព្រឹត្តិការណ៍ -apps/erpnext/erpnext/config/schools.py +39,Admission,ការចូលរៀន +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,ការចូលរៀន apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ការចូលសម្រាប់ {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",ធាតុ {0} គឺពុម្ពមួយសូមជ្រើសមួយក្នុងចំណោមវ៉ារ្យ៉ង់របស់ខ្លួន DocType: Asset,Asset Category,ប្រភេទទ្រព្យសកម្ម +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,អ្នកទិញ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមាន DocType: SMS Settings,Static Parameters,ប៉ារ៉ាម៉ែត្រឋិតិវន្ត DocType: Assessment Plan,Room,បន្ទប់ @@ -4543,6 +4563,7 @@ DocType: Item,Item Tax,ការប្រមូលពន្ធលើធាតុ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,សម្ភារៈដើម្បីផ្គត់ផ្គង់ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,រដ្ឋាករវិក័យប័ត្រ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ហាក់ដូចជាច្រើនជាងម្ដង +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី 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,បំណុលនាពេលបច្ចុប្បន្ន @@ -4614,6 +4635,7 @@ DocType: Leave Type,Is Carry Forward,គឺត្រូវបានអនុវ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,មិនផ្តល់ជូនប្រាក់ខែគ្រូពេទ្យប្រហែលជា ,Stock Summary,សង្ខេបភាគហ៊ុន diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv index 6fb74e78a8..07c08ee876 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ನಿಲ್ಲಿಸಿತು ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರದ್ದುಗೊಳಿಸಲಾಗದು, ರದ್ದು ಮೊದಲು ಅಡ್ಡಿಯಾಗಿರುವುದನ್ನು ಬಿಡಿಸು" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರ ಆಯ್ಕೆ @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1} +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 +808,Invoice,ಸರಕುಪಟ್ಟಿ DocType: Maintenance Schedule Item,Periodicity,ನಿಯತಕಾಲಿಕತೆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಅಗತ್ಯವಿದೆ @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,ಪ್ರಗತಿಯಲ್ಲಿದೆ ಕೆಲಸ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ದಿನಾಂಕ ಆಯ್ಕೆ DocType: Employee,Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ಅಕೌಂಟೆಂಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,ಅಕೌಂಟೆಂಟ್ DocType: Cost Center,Stock User,ಸ್ಟಾಕ್ ಬಳಕೆದಾರ DocType: Company,Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿಗಳು ದಾಖಲಿಸಿದವರು: @@ -110,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 +269,Kg,ಕೆಜಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ಕೆಜಿ DocType: Student Log,Log,ಲಾಗ್ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ಕೆಲಸ ತೆರೆಯುತ್ತಿದೆ . DocType: Item Attribute,Increment,ಹೆಚ್ಚಳವನ್ನು @@ -120,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 +42,Not permitted for {0},ಜಾಹೀರಾತು ಅನುಮತಿಯಿಲ್ಲ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,ಸ್ಟಾಕ್ ವರ DocType: Warehouse,Warehouse Detail,ವೇರ್ಹೌಸ್ ವಿವರ apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಗ್ರಾಹಕ ದಾಟಿದೆ ಮಾಡಲಾಗಿದೆ {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ಸ್ಥಿರ ಆಸ್ತಿ" ಆಸ್ತಿ ದಾಖಲೆ ಐಟಂ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವಂತೆ, ಪರಿಶೀಲಿಸದೆ ಸಾಧ್ಯವಿಲ್ಲ" +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/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,ಗ್ರಾಹಕ ಅದೇ ಹೆಸರಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ಗೆ {0} ಗೆ {1} DocType: Item,Copy From Item Group,ಐಟಂ ಗುಂಪಿನಿಂದ ನಕಲಿಸಿ DocType: Journal Entry,Opening Entry,ಎಂಟ್ರಿ ತೆರೆಯುವ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕನಿಗೆ ಗ್ರೂಪ್> ಟೆರಿಟರಿ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ಖಾತೆ ಪೇ ಮಾತ್ರ DocType: Employee Loan,Repay Over Number of Periods,ಓವರ್ ಸಂಖ್ಯೆ ಅವಧಿಗಳು ಮರುಪಾವತಿ DocType: Stock Entry,Additional Costs,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,ಸ್ಥಿರಾಸ್ತಿ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ಖಾತೆ ಹೇಳಿಕೆ +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,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್ DocType: Purchase Invoice Item,Is Fixed Asset,ಸ್ಥಿರ ಆಸ್ತಿ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಇದೆ {0}, ನೀವು {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,ಉಪಭೋಗ್ಯ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,ಉಪಭೋಗ್ಯ DocType: Employee,B-,ಬಿ DocType: Upload Attendance,Import Log,ಆಮದು ಲಾಗ್ DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ಮೇಲೆ ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ ರೀತಿಯ ತಯಾರಿಕೆ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪುಲ್ @@ -212,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 +143,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ಉದಾಹರಣೆ: ಮೂಲಭೂತ ಗಣಿತ +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/config/hr.py +214,Settings for HR Module,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮಾಡ್ಯೂಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: SMS Center,SMS Center,ಸಂಚಿಕೆ ಸೆಂಟರ್ @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ಐಟಂಗಳನ್ನು ಮತ್ತು ಬೆಲೆ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},ಒಟ್ಟು ಗಂಟೆಗಳ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},ದಿನಾಂಕದಿಂದ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕದಿಂದ ಭಾವಿಸಿಕೊಂಡು = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,ಉಲ್ಲೇಖಗಳು DocType: Customer,Individual,ಇಂಡಿವಿಜುವಲ್ DocType: Interest,Academics User,ಶೈಕ್ಷಣಿಕ ಬಳಕೆದಾರ DocType: Cheque Print Template,Amount In Figure,ಚಿತ್ರದಲ್ಲಿ ಪ್ರಮಾಣ @@ -266,7 +267,7 @@ DocType: Employee,Create User,ಬಳಕೆದಾರ ರಚಿಸಿ DocType: Selling Settings,Default Territory,ಡೀಫಾಲ್ಟ್ ಪ್ರದೇಶ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ಟೆಲಿವಿಷನ್ DocType: Production Order Operation,Updated via 'Time Log','ಟೈಮ್ ಲಾಗ್' ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1} DocType: Naming Series,Series List for this Transaction,ಈ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸರಣಿ ಪಟ್ಟಿ DocType: Company,Enable Perpetual Inventory,ಶಾಶ್ವತ ಇನ್ವೆಂಟರಿ ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Company,Default Payroll Payable Account,ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ @@ -274,7 +275,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 +177,For Warehouse is required before Submit,ವೇರ್ಹೌಸ್ ಬೇಕಾಗುತ್ತದೆ ಮೊದಲು ಸಲ್ಲಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +283,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 +2256,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,ಪಿಓಎಸ್ ಗ್ರಾಹಕ ಗುಂಪಿನ @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು 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 +189,Warehouse {0} does not belong to company {1},ವೇರ್ಹೌಸ್ {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 +270,Litre,ಲೀಟರ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ಬ್ಯಾಂಕ್ ನಮೂದುಗಳು apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ವಾರ್ಷಿಕ DocType: Stock Reconciliation Item,Stock Reconciliation Item,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಐಟಂ @@ -316,7 +317,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 +316,People who teach at your organisation,ನಿಮ್ಮ ಸಂಘಟನೆಯಲ್ಲಿ ಕಲಿಸಲು ಜನರು +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,ದರ ಸಂಪಾದಿಸಲು DocType: Item,Publish in Hub,ಹಬ್ ಪ್ರಕಟಿಸಿ DocType: Student Admission,Student Admission,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ DocType: Bank Reconciliation,Update Clearance Date,ಅಪ್ಡೇಟ್ ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ DocType: Item,Purchase Details,ಖರೀದಿ ವಿವರಗಳು @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜರ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,ಸುತ್ತೋಲೆ ಆಧಾರದೋಷ @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,ನೀವು ಹೊರಹಾಕಿದ ನಂತರ ಪಾವತಿ ಎಂಟ್ರಿ ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ಮತ್ತೆ ಎಳೆಯಲು ದಯವಿಟ್ಟು. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ಈ ವಾರ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ DocType: Student Applicant,Admitted,ಒಪ್ಪಿಕೊಂಡರು DocType: Workstation,Rent Cost,ಬಾಡಿಗೆ ವೆಚ್ಚ @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ಸ್ವೀಕರಿಸಲಾಗಿದೆ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ರಚಿಸಿ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ಈಗಾಗಲೇ ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಲು! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ ,Finished Goods,ಪೂರ್ಣಗೊಂಡ ಸರಕನ್ನು DocType: Delivery Note,Instructions,ಸೂಚನೆಗಳು DocType: Quality Inspection,Inspected By,ಪರಿಶೀಲನೆ @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್ ಸೆಟಪ್ ಮೂಲಕ ಅಟೆಂಡೆನ್ಸ್ ಕ್ರಮಾಂಕಗಳನ್ನು ದಯವಿಟ್ಟು ಸರಣಿ> ನಂಬರಿಂಗ್ ಸರಣಿ apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ರಚಿಸಿ ,Purchase Register,ಖರೀದಿ ನೋಂದಣಿ DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 ಮ್ಯಾನುಯಲ್ ಓದಿ @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ಎಲ್ಲಾ ಉತ್ಪಾದನಾ ಪ್ರಕ್ರಿಯೆಗಳು ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು. DocType: Accounts Settings,Accounts Frozen Upto,ಘನೀಕೃತ ವರೆಗೆ ಖಾತೆಗಳು DocType: SMS Log,Sent On,ಕಳುಹಿಸಲಾಗಿದೆ -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ಗುಣಲಕ್ಷಣ {0} ಗುಣಲಕ್ಷಣಗಳು ಟೇಬಲ್ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆ +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,ಗುಣಲಕ್ಷಣ {0} ಗುಣಲಕ್ಷಣಗಳು ಟೇಬಲ್ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆ DocType: HR Settings,Employee record is created using selected field. , DocType: Sales Order,Not Applicable,ಅನ್ವಯಿಸುವುದಿಲ್ಲ apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ಹಾಲಿಡೇ ಮಾಸ್ಟರ್ . @@ -530,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,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ DocType: Pricing Rule,Valid Upto,ಮಾನ್ಯ ವರೆಗೆ DocType: Training Event,Workshop,ಕಾರ್ಯಾಗಾರ -apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","ಖಾತೆ ವರ್ಗೀಕರಿಸಲಾದ ವೇಳೆ , ಖಾತೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ವೇರ್ಹೌಸ್ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಏರಿಸಲಾಗುತ್ತದೆ ಇದಕ್ಕಾಗಿ ನಮೂದಿಸಿ DocType: Production Order,Additional Operating Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚವನ್ನು apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,ಕಾಸ್ಮೆಟಿಕ್ಸ್ -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು" DocType: Shipping Rule,Net Weight,ನೆಟ್ ತೂಕ DocType: Employee,Emergency Phone,ತುರ್ತು ದೂರವಾಣಿ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ಖರೀದಿ @@ -555,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 +2428,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು DocType: Purchase Invoice,Supplier Invoice No,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ನಂ DocType: Territory,For reference,ಪರಾಮರ್ಶೆಗಾಗಿ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","ಅಳಿಸಿಹಾಕಲಾಗದು ಸೀರಿಯಲ್ ಯಾವುದೇ {0}, ಇದು ಸ್ಟಾಕ್ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಬಳಸಲಾಗುತ್ತದೆ" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","ಅಳಿಸಿಹಾಕಲಾಗದು ಸೀರಿಯಲ್ ಯಾವುದೇ {0}, ಇದು ಸ್ಟಾಕ್ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಬಳಸಲಾಗುತ್ತದೆ" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),ಮುಚ್ಚುವ (ಸಿಆರ್) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,ಐಟಂ ಸರಿಸಿ DocType: Serial No,Warranty Period (Days),ಖಾತರಿ ಕಾಲ (ದಿನಗಳು) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,ಮೊದಲ ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಮಾಡಿ apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ಕ್ರೋಢಿಕೃತ ಮೌಲ್ಯಗಳು -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ಕ್ಷಮಿಸಿ, ಸೀರಿಯಲ್ ಸೂಲ ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","ಕ್ಷಮಿಸಿ, ಸೀರಿಯಲ್ ಸೂಲ ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,ಮಾಡಿ ಮಾರಾಟದ ಆರ್ಡರ್ DocType: Project Task,Project Task,ಪ್ರಾಜೆಕ್ಟ್ ಟಾಸ್ಕ್ ,Lead Id,ಲೀಡ್ ಸಂ @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,ಗೊತ್ತುಪಡಿಸು apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,ಮಾರಾಟದ ರಿಟರ್ನ್ 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,ಗಮನಿಸಿ: ಒಟ್ಟು ನಿಯೋಜಿತವಾದ ಎಲೆಗಳನ್ನು {0} ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು ಕಡಿಮೆ ಮಾಡಬಾರದು {1} ಕಾಲ +,Total Stock Summary,ಒಟ್ಟು ಸ್ಟಾಕ್ ಸಾರಾಂಶ DocType: Announcement,Posted By,ಪೋಸ್ಟ್ ಮಾಡಿದವರು DocType: Item,Delivered by Supplier (Drop Ship),ಸರಬರಾಜುದಾರ ವಿತರಣೆ (ಡ್ರಾಪ್ ಹಡಗು) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,ಸಂಭಾವ್ಯ ಗ್ರಾಹಕರು ಡೇಟಾಬೇಸ್ . @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ಗ್ರಾಹಕ DocType: Quotation,Quotation To,ಉದ್ಧರಣಾ DocType: Lead,Middle Income,ಮಧ್ಯಮ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ತೆರೆಯುತ್ತಿದೆ ( ಸಿಆರ್) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ನೀವು ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಕೆಲವು ವ್ಯವಹಾರ (ರು) ಮಾಡಿರುವ ಕಾರಣ ಐಟಂ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ {0} ನೇರವಾಗಿ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ನೀವು ಬೇರೆ ಡೀಫಾಲ್ಟ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಬಳಸಲು ಹೊಸ ಐಟಂ ರಚಿಸಬೇಕಾಗಿದೆ. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ನೀವು ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಕೆಲವು ವ್ಯವಹಾರ (ರು) ಮಾಡಿರುವ ಕಾರಣ ಐಟಂ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ {0} ನೇರವಾಗಿ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ನೀವು ಬೇರೆ ಡೀಫಾಲ್ಟ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಬಳಸಲು ಹೊಸ ಐಟಂ ರಚಿಸಬೇಕಾಗಿದೆ. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್ @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ಮಾಸ್ಟರ್ಸ್ DocType: Assessment Plan,Maximum Assessment Score,ಗರಿಷ್ಠ ಅಸೆಸ್ಮೆಂಟ್ ಸ್ಕೋರ್ apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,ಅಪ್ಡೇಟ್ ಬ್ಯಾಂಕ್ ವ್ಯವಹಾರ ದಿನಾಂಕ apps/erpnext/erpnext/config/projects.py +30,Time Tracking,ಟೈಮ್ ಟ್ರಾಕಿಂಗ್ +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ DUPLICATE DocType: Fiscal Year Company,Fiscal Year Company,ಹಣಕಾಸಿನ ವರ್ಷ ಕಂಪನಿ DocType: Packing Slip Item,DN Detail,ಡಿ ವಿವರ DocType: Training Event,Conference,ಕಾನ್ಫರೆನ್ಸ್ @@ -685,8 +689,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 +320,Timesheet created:,Timesheet ದಾಖಲಿಸಿದವರು: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ದಾಖಲಾಗಿ DocType: GST Settings,GST Settings,ಜಿಎಸ್ಟಿ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Selling Settings,Customer Naming By,ಗ್ರಾಹಕ ಹೆಸರಿಸುವ ಮೂಲಕ @@ -715,7 +719,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 +139,Finish,ಮುಕ್ತಾಯ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,ಮುಕ್ತಾಯ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,ಬೇಸ್ DocType: Timesheet,Total Billed Hours,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಅವರ್ಸ್ DocType: Journal Entry,Write Off Amount,ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ @@ -750,7 +754,7 @@ DocType: Hub Settings,Seller City,ಮಾರಾಟಗಾರ ಸಿಟಿ ,Absent Student Report,ಆಬ್ಸೆಂಟ್ ವಿದ್ಯಾರ್ಥಿ ವರದಿ DocType: Email Digest,Next email will be sent on:,ಮುಂದೆ ಇಮೇಲ್ ಮೇಲೆ ಕಳುಹಿಸಲಾಗುವುದು : DocType: Offer Letter Term,Offer Letter Term,ಪತ್ರ ಟರ್ಮ್ ಆಫರ್ -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ಐಟಂ ವೇರಿಯಂಟ್. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,ಐಟಂ ವೇರಿಯಂಟ್. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ಐಟಂ {0} ಕಂಡುಬಂದಿಲ್ಲ DocType: Bin,Stock Value,ಸ್ಟಾಕ್ ಮೌಲ್ಯ apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ @@ -797,12 +801,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಒಂದೇ ಮಾನದಂಡವನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಮಾಡಿ. ಬೆಲೆ ನಿಯಮಗಳು: {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,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ 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 +48,Make Timesheet,Timesheet ಮಾಡಿ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -860,13 +864,13 @@ 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,ಕೌಟುಂಬಿಕ ಹಿನ್ನೆಲೆ DocType: Request for Quotation Supplier,Send Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ಎಚ್ಚರಿಕೆ: ಅಮಾನ್ಯ ಲಗತ್ತು {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ಯಾವುದೇ ಅನುಮತಿ +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},ಎಚ್ಚರಿಕೆ: ಅಮಾನ್ಯ ಲಗತ್ತು {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,ಯಾವುದೇ ಅನುಮತಿ 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 +269,Nos,ಸೂಲ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} ಸಲ್ಲಿಸಬೇಕು @@ -886,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,ಐಟಂ ರೋ {IDX}: {DOCTYPE} {DOCNAME} ಮೇಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ '{DOCTYPE}' ಟೇಬಲ್ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ತೆರೆಯುವ @@ -974,14 +978,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} ರದ್ದು -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1} DocType: Purchase Receipt Item Supplied,Required Qty,ಅಗತ್ಯವಿದೆ ಪ್ರಮಾಣ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ. DocType: Bank Reconciliation,Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ @@ -998,7 +1002,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,ಘಟಕಗಳು apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ಐಟಂ ರಲ್ಲಿ ಆಸ್ತಿ ವರ್ಗ ನಮೂದಿಸಿ {0} DocType: Quality Inspection Reading,Reading 6,6 ಓದುವಿಕೆ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,ಅಲ್ಲ {0} {1} {2} ಯಾವುದೇ ಋಣಾತ್ಮಕ ಮಹೋನ್ನತ ಸರಕುಪಟ್ಟಿ ಕ್ಯಾನ್ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,ಅಲ್ಲ {0} {1} {2} ಯಾವುದೇ ಋಣಾತ್ಮಕ ಮಹೋನ್ನತ ಸರಕುಪಟ್ಟಿ ಕ್ಯಾನ್ 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} @@ -1012,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 +731,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು DocType: Payment Request,Paid,ಹಣ DocType: Program Fee,Program Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಶುಲ್ಕ DocType: Salary Slip,Total in words,ಪದಗಳನ್ನು ಒಟ್ಟು @@ -1050,10 +1054,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ರಾಸಾಯನಿಕ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ಈ ಕ್ರಮದಲ್ಲಿ ಆಯ್ಕೆ ಮಾಡಿದಾಗ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಬಳ ಜರ್ನಲ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುತ್ತದೆ. DocType: BOM,Raw Material Cost(Company Currency),ರಾ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ವರ್ಗಾಯಿಸಲಾಗಿದೆ. +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 +270,Meter,ಮೀಟರ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,ಮೀಟರ್ DocType: Workstation,Electricity Cost,ವಿದ್ಯುತ್ ಬೆಲೆ DocType: HR Settings,Don't send Employee Birthday Reminders,ನೌಕರರ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು ಕಳುಹಿಸಬೇಡಿ DocType: Item,Inspection Criteria,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಮಾನದಂಡ @@ -1076,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 +452,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +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 +259,Qty for {0},ಫಾರ್ ಪ್ರಮಾಣ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ಖಂಡ ದಿನಾಂಕ ಬಿಡಿ @@ -1096,9 +1100,9 @@ DocType: Purchase Invoice,Cash/Bank Account,ನಗದು / ಬ್ಯಾಂಕ್ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ದಯವಿಟ್ಟು ಸೂಚಿಸಿ ಒಂದು {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯವನ್ನು ಯಾವುದೇ ಬದಲಾವಣೆ ತೆಗೆದುಹಾಕಲಾಗಿದೆ ಐಟಂಗಳನ್ನು. DocType: Delivery Note,Delivery To,ವಿತರಣಾ -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ಗುಣಲಕ್ಷಣ ಟೇಬಲ್ ಕಡ್ಡಾಯ +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,ಗುಣಲಕ್ಷಣ ಟೇಬಲ್ ಕಡ್ಡಾಯ DocType: Production Planning Tool,Get Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ಪಡೆಯಿರಿ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ರಿಯಾಯಿತಿ DocType: Asset,Total Number of Depreciations,Depreciations ಒಟ್ಟು ಸಂಖ್ಯೆ DocType: Sales Invoice Item,Rate With Margin,ಮಾರ್ಜಿನ್ ಜೊತೆಗೆ ದರ @@ -1135,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 +1546,ZIP Code,ZIP ಕೋಡ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,ಸ್ಟಾಕ್ ನಮೂದುಗಳು ಮೇಕಿಂಗ್ @@ -1154,7 +1158,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು . +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು) @@ -1179,7 +1183,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ವಿತರಕ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',ಸೆಟ್ 'ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸು' ದಯವಿಟ್ಟು +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,ರೇಂಜ್ ಕಡಿಮೆ ಎಂದು ಹೊಂದಿದೆ ಹೆಚ್ಚಾಗಿ ಶ್ರೇಣಿಗೆ DocType: Global Defaults,Global Defaults,ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು @@ -1187,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN ಮೊದಲ 2 ಅಂಕೆಗಳು ರಾಜ್ಯ ಸಂಖ್ಯೆಯ ಹೊಂದಾಣಿಕೆ ಮಾಡಬೇಕು {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ದೋಷ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ದೋಷ ,Trial Balance for Party,ಪಕ್ಷದ ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್ DocType: Lead,Consultant,ಕನ್ಸಲ್ಟೆಂಟ್ DocType: Salary Slip,Earnings,ಅರ್ನಿಂಗ್ಸ್ @@ -1209,7 +1213,7 @@ DocType: Purchase Invoice,Is Return,ಮರಳುವುದು apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,ರಿಟರ್ನ್ / ಡೆಬಿಟ್ ಗಮನಿಸಿ DocType: Price List Country,Price List Country,ದರ ಪಟ್ಟಿ ಕಂಟ್ರಿ DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},ಐಟಂ {0} ಮಾನ್ಯ ಸರಣಿ ಸೂಲ {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},ಐಟಂ {0} ಮಾನ್ಯ ಸರಣಿ ಸೂಲ {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,ಐಟಂ ಕೋಡ್ ನೆಯ ಬದಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ . apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ {0} ಈಗಾಗಲೇ ಬಳಕೆದಾರ ದಾಖಲಿಸಿದವರು: {1} ಮತ್ತು ಕಂಪನಿ {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM ಪರಿವರ್ತಿಸುವುದರ @@ -1219,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 +675,Cost Center For Item with Item Code ','ಐಟಂ ಕೋಡ್ನೊಂದಿಗೆ ಐಟಂ ಸೆಂಟರ್ ವೆಚ್ಚ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು, ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು" @@ -1262,7 +1266,7 @@ 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,ವೀಕ್ಷಿಸು ಲೆಡ್ಜರ್ DocType: Grading Scale,Intervals,ಮಧ್ಯಂತರಗಳು apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ಮುಂಚಿನ -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ಐಟಂ {0} ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ @@ -1291,7 +1295,7 @@ 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 +288,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್ DocType: Purchase Invoice,Rejected Warehouse,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ವೇರ್ಹೌಸ್ DocType: GL Entry,Against Voucher,ಚೀಟಿ ವಿರುದ್ಧ DocType: Item,Default Buying Cost Center,ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ವೆಚ್ಚ ಸೆಂಟರ್ @@ -1302,7 +1306,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಮಾನ್ಯವಾಗಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1320,14 +1324,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ಸಂಚಿಕೆ ಪ್ಲೇಸ್ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ಒಪ್ಪಂದ DocType: Email Digest,Add Quote,ಉದ್ಧರಣ ಸೇರಿಸಿ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1} 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 +736,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು +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,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು DocType: Mode of Payment,Mode of Payment,ಪಾವತಿಯ ಮಾದರಿಯು -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು DocType: Student Applicant,AP,ಎಪಿ DocType: Purchase Invoice Item,BOM,ಬಿಒಎಮ್ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಐಟಂ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ . @@ -1345,14 +1349,13 @@ 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 +562,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","ಬೆಲೆ ರೂಲ್ ಮೊದಲ ಐಟಂ, ಐಟಂ ಗುಂಪು ಅಥವಾ ಬ್ರಾಂಡ್ ಆಗಿರಬಹುದು, ಕ್ಷೇತ್ರದಲ್ಲಿ 'ರಂದು ಅನ್ವಯಿಸು' ಆಧಾರದ ಮೇಲೆ ಆಯ್ಕೆ." 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 ಶುಡ್ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಸ್ಥಿತಿ {0} DocType: Appraisal Goal,Goal,ಗುರಿ DocType: Sales Invoice Item,Edit Description,ಸಂಪಾದಿಸಿ ವಿವರಣೆ ,Team Updates,ತಂಡ ಅಪ್ಡೇಟ್ಗಳು @@ -1368,14 +1371,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ಮಕ್ಕಳ ಗೋದಾಮಿನ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ಗೋದಾಮಿನ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ. DocType: Item,Website Item Groups,ವೆಬ್ಸೈಟ್ ಐಟಂ ಗುಂಪುಗಳು DocType: Purchase Invoice,Total (Company Currency),ಒಟ್ಟು (ಕಂಪನಿ ಕರೆನ್ಸಿ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು +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 +78,{0} items in progress,{0} ಪ್ರಗತಿಯಲ್ಲಿದೆ ಐಟಂಗಳನ್ನು +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,ಈ ಪೂರ್ವನಾಮವನ್ನು ಹೊಂದಿರುವ ಲೋಡ್ ದಾಖಲಿಸಿದವರು ವ್ಯವಹಾರದ ಸಂಖ್ಯೆ @@ -1434,7 +1437,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,ಬೂಟ್ಸ್ಟ್ರ್ಯಾಪ್ 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,7 +1449,7 @@ 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 +260,Max: {0},ಮ್ಯಾಕ್ಸ್: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,ಸಂವಹನ ದಾಖಲೆ . @@ -1457,7 +1459,7 @@ DocType: Sales Invoice,Shipping Address Name,ಶಿಪ್ಪಿಂಗ್ ವಿ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್ DocType: Material Request,Terms and Conditions Content,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ವಿಷಯ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ DocType: Maintenance Visit,Unscheduled,ಅನಿಗದಿತ DocType: Employee,Owned,ಸ್ವಾಮ್ಯದ DocType: Salary Detail,Depends on Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಅವಲಂಬಿಸಿರುತ್ತದೆ @@ -1489,7 +1491,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 +273,We buy this Item,ನಾವು ಈ ಐಟಂ ಖರೀದಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,ಮುಚ್ಚಿಲ್ಲದ ಆರ್ಥಿಕ ವರ್ಷದ ಪಿ & ಎಲ್ ಬ್ಯಾಲೆನ್ಸ್ ತೋರಿಸಿ @@ -1500,7 +1502,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 +266,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್ DocType: Asset,Asset Name,ಆಸ್ತಿ ಹೆಸರು DocType: Project,Task Weight,ಟಾಸ್ಕ್ ತೂಕ DocType: Shipping Rule Condition,To Value,ಮೌಲ್ಯ @@ -1533,12 +1535,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ಮೂಲ 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 +239,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ಪಾವತಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ಈ {0} ಸಂಘರ್ಷಗಳನ್ನು {1} ಫಾರ್ {2} {3} DocType: Student Attendance Tool,Students HTML,ವಿದ್ಯಾರ್ಥಿಗಳು ಎಚ್ಟಿಎಮ್ಎಲ್ DocType: POS Profile,Apply Discount,ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸು -DocType: Purchase Invoice Item,GST HSN Code,ಜಿಎಸ್ಟಿ HSN ಕೋಡ್ +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 +283,Packing Slip(s) cancelled,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್ (ಗಳು) ರದ್ದು @@ -1581,8 +1583,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 +2573,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ಪೆಟ್ಟಿಗೆ +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 +873,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,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ಖಾಲಿಯಾಗಿದೆ . ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ದಯವಿಟ್ಟು ರಚಿಸಿ @@ -1612,7 +1614,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,ಮರುಪಾವತಿಯ ವಿಧಾನ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ಪರಿಶೀಲಿಸಿದರೆ, ಮುಖಪುಟ ವೆಬ್ಸೈಟ್ ಡೀಫಾಲ್ಟ್ ಐಟಂ ಗ್ರೂಪ್ ಇರುತ್ತದೆ" DocType: Quality Inspection Reading,Reading 4,4 ಓದುವಿಕೆ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},ಫಾರ್ {0} ಪ್ರಾಜೆಕ್ಟ್ ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ {1} 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} @@ -1629,29 +1630,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ಹೊಸ ಕ apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ಉದ್ಧರಣ ಮಾಡಿ apps/erpnext/erpnext/config/selling.py +216,Other Reports,ಇತರ ವರದಿಗಳು DocType: Dependent Task,Dependent Task,ಅವಲಂಬಿತ ಟಾಸ್ಕ್ -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},ಅಳತೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ 1 ಇರಬೇಕು {0} +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.,ಮುಂಚಿತವಾಗಿ ಎಕ್ಸ್ ದಿನಗಳ ಕಾರ್ಯಾಚರಣೆ ಯೋಜನೆ ಪ್ರಯತ್ನಿಸಿ. 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} DocType: SMS Center,Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ಹುಡುಕಾಟ ಐಟಂ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ಈಗಾಗಲೇ +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/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 +263,Quantity must not be more than {0},ಪ್ರಮಾಣ ಹೆಚ್ಚು ಇರಬಾರದು {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,ಗ್ರಾಹಕ ಪಿಓಎಸ್ ಐಡಿ DocType: Account,Account Name,ಖಾತೆ ಹೆಸರು apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ದಿನಾಂಕದಿಂದ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಪ್ರಮಾಣ {1} ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಪ್ರಮಾಣ {1} ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ಸರಬರಾಜುದಾರ ಟೈಪ್ ಮಾಸ್ಟರ್ . 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 ಸಾಧ್ಯವಿಲ್ಲ @@ -1659,6 +1660,7 @@ 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: Delivery Note,Vehicle Dispatch Date,ವಾಹನ ಡಿಸ್ಪ್ಯಾಚ್ ದಿನಾಂಕ +DocType: Purchase Order Item,HSN/SAC,HSN / ಎಸ್ಎಸಿ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ಖರೀದಿ ರಸೀತಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ DocType: Company,Default Payable Account,ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ಉದಾಹರಣೆಗೆ ಹಡಗು ನಿಯಮಗಳು, ಬೆಲೆ ಪಟ್ಟಿ ಇತ್ಯಾದಿ ಆನ್ಲೈನ್ ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳು" @@ -1715,7 +1717,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,ಎಲೆಗಳು DocType: Sales Invoice,Packed Items,ಪ್ಯಾಕ್ ಐಟಂಗಳು apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ಸೀರಿಯಲ್ ನಂ ವಿರುದ್ಧ ಖಾತರಿ ಹಕ್ಕು DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ಇದು ಬಳಸಲಾಗುತ್ತದೆ ಅಲ್ಲಿ ಎಲ್ಲಾ ಇತರ BOMs ನಿರ್ದಿಷ್ಟ ಬಿಒಎಮ್ ಬದಲಾಯಿಸಿ. ಇದು, ಹಳೆಯ ಬಿಒಎಮ್ ಲಿಂಕ್ ಬದಲಿಗೆ ವೆಚ್ಚ ಅಪ್ಡೇಟ್ ಮತ್ತು ಹೊಸ ಬಿಒಎಮ್ ಪ್ರಕಾರ ""ಬಿಒಎಮ್ ಸ್ಫೋಟ ಐಟಂ"" ಟೇಬಲ್ ಮತ್ತೆ ಕಾಣಿಸುತ್ತದೆ" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ಒಟ್ಟು' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','ಒಟ್ಟು' DocType: Shopping Cart Settings,Enable Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಸಕ್ರಿಯಗೊಳಿಸಿ DocType: Employee,Permanent Address,ಖಾಯಂ ವಿಳಾಸ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1751,6 +1753,7 @@ DocType: Material Request,Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ DocType: Vehicle,Doors,ಡೋರ್ಸ್ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ! DocType: Course Assessment Criteria,Weightage,weightage +DocType: Sales 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,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು @@ -1770,7 +1773,7 @@ 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 +699,Offline,ಆಫ್ಲೈನ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,ಒಂದು ಜಾಬ್ ಅರ್ಜಿದಾರರ @@ -1787,7 +1790,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ಮುಖ್ಯ apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ಭಿನ್ನ DocType: Naming Series,Set prefix for numbering series on your transactions,ನಿಮ್ಮ ವ್ಯವಹಾರಗಳ ಮೇಲೆ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ಹೊಂದಿಸಿ ಪೂರ್ವಪ್ರತ್ಯಯ DocType: Employee Attendance Tool,Employees HTML,ನೌಕರರು ಎಚ್ಟಿಎಮ್ಎಲ್ -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು DocType: Employee,Leave Encashed?,Encashed ಬಿಡಿ ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ಕ್ಷೇತ್ರದ ಅವಕಾಶ ಕಡ್ಡಾಯ DocType: Email Digest,Annual Expenses,ವಾರ್ಷಿಕ ವೆಚ್ಚಗಳು @@ -1800,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 +175,Work-in-Progress Warehouse is required before Submit,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್ ಸಲ್ಲಿಸಿ ಮೊದಲು ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,ಕಾನೂನುಸಮ್ಮತ ಮಾಹಿತಿಯನ್ನು ನಿಮ್ಮ ಸರಬರಾಜುದಾರ ಬಗ್ಗೆ ಇತರ ಸಾಮಾನ್ಯ ಮಾಹಿತಿ @@ -1810,7 +1813,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸಾಮರ್ಥ್ಯ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ಜರ್ನಲ್ ವಿರುದ್ಧ ಎಂಟ್ರಿ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿಲ್ಲ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ರೀತಿಗೆ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ಐಟಂ ಪ್ರವೇಶಿಸಿತು ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಕಲು {0} +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}. ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಅನುಮತಿಸಲು, ಸೆಟ್ಟಿಂಗ್ಗಳು ಬೈಯಿಂಗ್ ಸೆಟ್ ಮಾಡಿ" @@ -1819,7 +1822,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ಪಾವತಿ @@ -1838,12 +1841,12 @@ 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 +257,"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 +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.",ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಸೇವೆಗಳು ಪಟ್ಟಿ . 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: Asset Movement,Asset Movement,ಆಸ್ತಿ ಮೂವ್ಮೆಂಟ್ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ಹೊಸ ಕಾರ್ಟ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,ವೀಲ್ಸ್ @@ -1869,7 +1872,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು DocType: Serial No,Creation Date,ರಚನೆ ದಿನಾಂಕ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ಐಟಂ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅನೇಕ ಬಾರಿ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತದೆ {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ವಿಕ್ರಯ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ವಿಕ್ರಯ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" DocType: Production Plan Material Request,Material Request Date,ವಸ್ತು ವಿನಂತಿ ದಿನಾಂಕ DocType: Purchase Order Item,Supplier Quotation Item,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಐಟಂ DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ಪ್ರೊಡಕ್ಷನ್ ಆದೇಶದ ವಿರುದ್ಧ ಸಮಯ ದಾಖಲೆಗಳು ಸೃಷ್ಟಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ. ಕಾರ್ಯಾಚರಣೆ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ವಿರುದ್ಧ ಟ್ರ್ಯಾಕ್ ಸಾಧ್ಯವಿಲ್ಲ ಹಾಗಿಲ್ಲ @@ -1886,12 +1889,12 @@ DocType: Supplier,Supplier of Goods or Services.,ಸರಕುಗಳು ಅಥವ DocType: Budget,Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ DocType: Vehicle Log,Fuel Price,ಇಂಧನ ಬೆಲೆ DocType: Budget,Budget,ಮುಂಗಡಪತ್ರ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು. +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 +209,e.g. 5,ಇ ಜಿ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,ನೀವು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ. @@ -1900,7 +1903,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 +263,A Product or Service,ಒಂದು ಉತ್ಪನ್ನ ಅಥವಾ ಸೇವೆ +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,ಪ್ರಸ್ತುತ ಮೌಲ್ಯ @@ -1976,7 +1979,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,ಜೋಡಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ಜೋಡಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ DocType: Asset,Depreciation Schedule,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ಮಾರಾಟದ ಸಂಗಾತಿ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು @@ -1995,10 +1998,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},ಐಟಂ ಐಟಂ ಮಾಸ್ಟರ್ ಉಲ್ಲೇಖಿಸಿಲ್ಲ ಐಟಂ ಗ್ರೂಪ್ {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು +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,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು DocType: Shipping Rule Condition,Shipping Amount,ಶಿಪ್ಪಿಂಗ್ ಪ್ರಮಾಣ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ಗ್ರಾಹಕರು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,ತಲುಪಿಸಲಾಗಿದೆ @@ -2015,6 +2018,7 @@ DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂ ,Supplier-Wise Sales Analytics,ಸರಬರಾಜುದಾರ ವೈಸ್ ಮಾರಾಟದ ಅನಾಲಿಟಿಕ್ಸ್ apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ಪಾವತಿಸಿದ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ DocType: Salary Structure,Select employees for current Salary Structure,ಪ್ರಸ್ತುತ ಸಂಬಳ ರಚನೆ ನೌಕರರು ಆಯ್ಕೆ +DocType: Sales Invoice,Company Address Name,ಕಂಪನಿ ವಿಳಾಸ ಹೆಸರು 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)","ಪೋಷಕ ಕೋರ್ಸ್ (ಈ ಪೋಷಕ ಕೋರ್ಸ್ ಭಾಗವಾಗಿ ವೇಳೆ, ಖಾಲಿ ಬಿಡಿ)" @@ -2035,7 +2039,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 +269,Unit,ಘಟಕ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2061,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಮಾರಾಟದ ಆರ್ಡರ್ ಒಂದು, ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: ಸಮಯ ಮತ್ತು ಟೈಮ್ ಕಡ್ಡಾಯ. DocType: Stock Reconciliation Item,Amount Difference,ಪ್ರಮಾಣ ವ್ಯತ್ಯಾಸ @@ -2066,7 +2070,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,ಪ್ರದೇಶವಾರು ಗ್ರಾಹಕರು ವರ್ಗೀಕರಣ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ ಶೂನ್ಯ ಇರಬೇಕು DocType: Project,Gross Margin,ಒಟ್ಟು ಅಂಚು -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,ಮೊದಲ ಉತ್ಪಾದನೆ ಐಟಂ ನಮೂದಿಸಿ +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 +748,Quotation,ಉದ್ಧರಣ @@ -2078,7 +2082,7 @@ 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: Opportunity,Customer / Lead Address,ಗ್ರಾಹಕ / ಲೀಡ್ ವಿಳಾಸ -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ಎಚ್ಚರಿಕೆ: ಬಾಂಧವ್ಯ ಅಮಾನ್ಯ SSL ಪ್ರಮಾಣಪತ್ರ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},ಎಚ್ಚರಿಕೆ: ಬಾಂಧವ್ಯ ಅಮಾನ್ಯ SSL ಪ್ರಮಾಣಪತ್ರ {0} DocType: Student Admission,Eligibility,ಅರ್ಹತಾ apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ಕಾರಣವಾಗುತ್ತದೆ ನೀವು ಪಡೆಯಲು ವ್ಯಾಪಾರ, ನಿಮ್ಮ ತೀರಗಳು ಎಲ್ಲ ಸಂಪರ್ಕಗಳನ್ನು ಮತ್ತು ಹೆಚ್ಚು ಸೇರಿಸಲು ಸಹಾಯ" DocType: Production Order Operation,Actual Operation Time,ನಿಜವಾದ ಕಾರ್ಯಾಚರಣೆ ಟೈಮ್ @@ -2097,11 +2101,11 @@ DocType: Appraisal,Calculate Total Score,ಒಟ್ಟು ಸ್ಕೋರ DocType: Request for Quotation,Manufacturing Manager,ಉತ್ಪಾದನಾ ಮ್ಯಾನೇಜರ್ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ವರೆಗೆ ವಾರಂಟಿ {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ಪ್ರವಾಸ ಒಳಗೆ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸ್ಪ್ಲಿಟ್ . -apps/erpnext/erpnext/hooks.py +87,Shipments,ಸಾಗಣೆಗಳು +apps/erpnext/erpnext/hooks.py +94,Shipments,ಸಾಗಣೆಗಳು DocType: Payment Entry,Total Allocated Amount (Company Currency),ಒಟ್ಟು ನಿಗದಿ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ) DocType: Purchase Order Item,To be delivered to customer,ಗ್ರಾಹಕನಿಗೆ ನೀಡಬೇಕಾಗಿದೆ DocType: BOM,Scrap Material Cost,ಸ್ಕ್ರ್ಯಾಪ್ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,ಸೀರಿಯಲ್ ಯಾವುದೇ {0} ಯಾವುದೇ ವೇರ್ಹೌಸ್ ಸೇರುವುದಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,ಸೀರಿಯಲ್ ಯಾವುದೇ {0} ಯಾವುದೇ ವೇರ್ಹೌಸ್ ಸೇರುವುದಿಲ್ಲ DocType: Purchase Invoice,In Words (Company Currency),ವರ್ಡ್ಸ್ ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) ರಲ್ಲಿ DocType: Asset,Supplier,ಸರಬರಾಜುದಾರ DocType: C-Form,Quarter,ಕಾಲು ಭಾಗ @@ -2116,11 +2120,10 @@ DocType: Leave Application,Total Leave Days,ಒಟ್ಟು ರಜೆಯ ದಿ DocType: Email Digest,Note: Email will not be sent to disabled users,ಗಮನಿಸಿ : ಇಮೇಲ್ ಅಂಗವಿಕಲ ಬಳಕೆದಾರರಿಗೆ ಕಳುಹಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ಇಂಟರಾಕ್ಷನ್ ಸಂಖ್ಯೆ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ಇಂಟರಾಕ್ಷನ್ ಸಂಖ್ಯೆ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್ 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 +408,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","ಕನಿಷ್ಠ ಒಂದು ಸತತವಾಗಿ ನಿಗದಿ ಪ್ರಮಾಣ, ಸರಕುಪಟ್ಟಿ ಕೌಟುಂಬಿಕತೆ ಮತ್ತು ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ" @@ -2164,7 +2167,8 @@ 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,ಸಿಇಒ DocType: Expense Claim Detail,Expense Claim Detail,ಖರ್ಚು ಹಕ್ಕು ವಿವರ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ಸರಿಯಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ಸರಬರಾಜುದಾರರು ಫಾರ್ triplicate +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,ಸರಿಯಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ DocType: Item,Weight UOM,ತೂಕ UOM DocType: Salary Structure Employee,Salary Structure Employee,ಸಂಬಳ ರಚನೆ ನೌಕರರ DocType: Employee,Blood Group,ರಕ್ತ ಗುಂಪು @@ -2186,7 +2190,7 @@ DocType: Student,Guardians,ಗಾರ್ಡಿಯನ್ಸ್ 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 +336,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ಆಫರ್ ಟರ್ಮ್ @@ -2199,7 +2203,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ಒಟ್ಟು DocType: BOM Website Operation,BOM Website Operation,ಬಿಒಎಮ್ ವೆಬ್ಸೈಟ್ ಆಪರೇಷನ್ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ಪತ್ರ ನೀಡಲು apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ( MRP ) ಮತ್ತು ಉತ್ಪಾದನೆ ಮುಖಾಂತರವೇ . -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಆಮ್ಟ್ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಆಮ್ಟ್ DocType: BOM,Conversion Rate,ಪರಿವರ್ತನೆ ದರ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ಉತ್ಪನ್ನ ಹುಡುಕಾಟ DocType: Timesheet Detail,To Time,ಸಮಯ @@ -2214,7 +2218,7 @@ 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} ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಬಳಸಿಕೊಂಡು, ದಯವಿಟ್ಟು ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ" DocType: Training Event Employee,Training Event Employee,ತರಬೇತಿ ಪಂದ್ಯಾವಳಿಯಿಂದ ಉದ್ಯೋಗಗಳು -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ಐಟಂ ಬೇಕಾದ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು {1}. ನೀವು ಒದಗಿಸಿದ {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ಐಟಂ ಬೇಕಾದ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು {1}. ನೀವು ಒದಗಿಸಿದ {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,ಪ್ರಸ್ತುತ ಮೌಲ್ಯಮಾಪನ ದರ DocType: Item,Customer Item Codes,ಗ್ರಾಹಕ ಐಟಂ ಕೋಡ್ಸ್ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ @@ -2262,7 +2266,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 +2454,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣ @@ -2286,19 +2290,19 @@ DocType: Leave Block List,Allow Users,ಬಳಕೆದಾರರನ್ನು ಅ DocType: Purchase Order,Customer Mobile No,ಗ್ರಾಹಕ ಮೊಬೈಲ್ ಯಾವುದೇ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ಪ್ರತ್ಯೇಕ ಆದಾಯ ಟ್ರ್ಯಾಕ್ ಮತ್ತು ಉತ್ಪನ್ನ ಸಂಸ್ಥಾ ಅಥವಾ ವಿಭಾಗಗಳು ಖರ್ಚು. DocType: Rename Tool,Rename Tool,ಟೂಲ್ ಮರುಹೆಸರಿಸು -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,ನವೀಕರಣ ವೆಚ್ಚ +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 +438,Show Salary Slip,ಸಂಬಳ ಶೋ ಸ್ಲಿಪ್ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,ತೆರಿಗೆಗಳು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,ಬಜೆಟ್ ಖಾತೆ @@ -2309,6 +2313,7 @@ DocType: Stock Entry,Purchase Receipt No,ಖರೀದಿ ರಸೀತಿ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ಅರ್ನೆಸ್ಟ್ ಮನಿ DocType: Process Payroll,Create Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸಿ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ಪತ್ತೆ ಹಚ್ಚುವಿಕೆ +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / ಎಸ್ಎಸಿ ಕೋಡ್ 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,ನೌಕರರ @@ -2338,7 +2343,7 @@ DocType: Employee Education,Post Graduate,ಸ್ನಾತಕೋತ್ತ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ವಿವರ DocType: Quality Inspection Reading,Reading 9,9 ಓದುವಿಕೆ DocType: Supplier,Is Frozen,ಹೆಪ್ಪುಗಟ್ಟಿರುವ -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,ಗ್ರೂಪ್ ನೋಡ್ ಗೋದಾಮಿನ ವ್ಯವಹಾರಗಳಿಗೆ ಆಯ್ಕೆ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,ಗ್ರೂಪ್ ನೋಡ್ ಗೋದಾಮಿನ ವ್ಯವಹಾರಗಳಿಗೆ ಆಯ್ಕೆ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ DocType: Buying Settings,Buying Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಖರೀದಿ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ಯಾವುದೇ BOM . ಒಂದು ಮುಕ್ತಾಯಗೊಂಡ ಗುಡ್ ಐಟಂ DocType: Upload Attendance,Attendance To Date,ದಿನಾಂಕ ಹಾಜರಿದ್ದ @@ -2354,13 +2359,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +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,ಪ್ರಮಾಣ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},ಐಟಂ ಯೋಜಿಸಿದ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0} ಸಾಲು {1} @@ -2382,7 +2387,7 @@ DocType: Authorization Rule,Authorized Value,ಅಧಿಕೃತ ಮೌಲ್ಯ DocType: BOM,Show Operations,ಕಾರ್ಯಾಚರಣೆಗಳಪರಿವಿಡಿಯನ್ನುತೋರಿಸು ,Minutes to First Response for Opportunity,ಅವಕಾಶ ಮೊದಲ ಪ್ರತಿಕ್ರಿಯೆ ನಿಮಿಷಗಳ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ಒಟ್ಟು ಆಬ್ಸೆಂಟ್ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,ಅಳತೆಯ ಘಟಕ DocType: Fiscal Year,Year End Date,ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ DocType: Task Depends On,Task Depends On,ಟಾಸ್ಕ್ ಅವಲಂಬಿಸಿರುತ್ತದೆ @@ -2474,7 +2479,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},ಹೆಚ್ಚು ಐಟಂ ಉತ್ಪಾದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {0} ಹೆಚ್ಚು ಮಾರಾಟದ ಆರ್ಡರ್ ಪ್ರಮಾಣ {1} +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/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,ಮುಂದಿನ ಮೂಲಕ ಸಂಪರ್ಕಿಸಿ ಲೀಡ್ ಇಮೇಲ್ ವಿಳಾಸ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ @@ -2572,9 +2577,9 @@ 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 +789,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,ತೀರ್ಪುಗಾರ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ತೀರ್ಪುಗಾರ DocType: Budget,Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,ಚೀಟಿ # DocType: Notification Control,Purchase Order Message,ಖರೀದಿ ಆದೇಶವನ್ನು ಸಂದೇಶವನ್ನು @@ -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 +1165,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳು @@ -2609,7 +2614,7 @@ DocType: Project,Task Completion,ಕಾರ್ಯ ಪೂರ್ಣಗೊಂಡ apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ಮಾಡಿರುವುದಿಲ್ಲ ಸ್ಟಾಕ್ DocType: Appraisal,HR User,ಮಾನವ ಸಂಪನ್ಮೂಲ ಬಳಕೆದಾರ DocType: Purchase Invoice,Taxes and Charges Deducted,ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು -apps/erpnext/erpnext/hooks.py +116,Issues,ತೊಂದರೆಗಳು +apps/erpnext/erpnext/hooks.py +124,Issues,ತೊಂದರೆಗಳು apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},ಸ್ಥಿತಿ ಒಂದು ಇರಬೇಕು {0} DocType: Sales Invoice,Debit To,ಡೆಬಿಟ್ DocType: Delivery Note,Required only for sample item.,ಕೇವಲ ಮಾದರಿ ಐಟಂ ಅಗತ್ಯವಿದೆ . @@ -2638,6 +2643,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,ಕ್ಷೇತ್ರ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ನಮೂದಿಸಿ ಅಗತ್ಯವಿದೆ ಭೇಟಿ ಯಾವುದೇ DocType: Stock Settings,Default Valuation Method,ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಮಾಪನ ವಿಧಾನ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ಶುಲ್ಕ DocType: Vehicle Log,Fuel Qty,ಇಂಧನ ಪ್ರಮಾಣ DocType: Production Order Operation,Planned Start Time,ಯೋಜಿತ ಆರಂಭಿಸಲು ಸಮಯ DocType: Course,Assessment,ಅಸೆಸ್ಮೆಂಟ್ @@ -2647,12 +2653,12 @@ 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 +149,Quotation {0} is cancelled,ನುಡಿಮುತ್ತುಗಳು {0} ರದ್ದು -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ DocType: Sales Partner,Targets,ಗುರಿ DocType: Price List,Price List Master,ದರ ಪಟ್ಟಿ ಮಾಸ್ಟರ್ DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ನೀವು ಸೆಟ್ ಮತ್ತು ಗುರಿಗಳನ್ನು ಮೇಲ್ವಿಚಾರಣೆ ಆ ಎಲ್ಲಾ ಮಾರಾಟದ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅನೇಕ ** ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ** ವಿರುದ್ಧ ಟ್ಯಾಗ್ ಮಾಡಬಹುದು. ,S.O. No.,S.O. ನಂ -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},{0} ನಿಂದ ಗ್ರಾಹಕ ಲೀಡ್ ರಚಿಸಲು ದಯವಿಟ್ಟು +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},{0} ನಿಂದ ಗ್ರಾಹಕ ಲೀಡ್ ರಚಿಸಲು ದಯವಿಟ್ಟು DocType: Price List,Applicable for Countries,ದೇಶಗಳು ಅನ್ವಯಿಸುವುದಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ಮಾತ್ರ ಸ್ಥಿತಿಯನ್ನು ಅನ್ವಯಗಳಲ್ಲಿ ಬಿಡಿ 'ಅಂಗೀಕಾರವಾದ' ಮತ್ತು 'ತಿರಸ್ಕರಿಸಲಾಗಿದೆ' ಸಲ್ಲಿಸಿದ ಮಾಡಬಹುದು apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಹೆಸರು ಸತತವಾಗಿ ಕಡ್ಡಾಯ {0} @@ -2702,6 +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/config/hr.py +163,Define various loan types,ವಿವಿಧ ಸಾಲ ರೀತಿಯ ವಿವರಿಸಿ DocType: Bin,FCFS Rate,FCFS ದರ DocType: Payment Reconciliation Invoice,Outstanding Amount,ಮಹೋನ್ನತ ಪ್ರಮಾಣ @@ -2744,8 +2751,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,ತಯಾರಿಕೆಗ 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.,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ಬೆಲೆ ಪಟ್ಟಿ ವಿರುದ್ಧ ಅಥವಾ ಎಲ್ಲಾ ಬೆಲೆ ಪಟ್ಟಿ ಎರಡೂ ಅನ್ವಯಿಸಬಹುದು. DocType: Purchase Invoice,Half-yearly,ಅರ್ಧವಾರ್ಷಿಕ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ನೀವು ಈಗಾಗಲೇ ಮೌಲ್ಯಮಾಪನ ಮಾನದಂಡದ ನಿರ್ಣಯಿಸುವ {}. DocType: Vehicle Service,Engine Oil,ಎಂಜಿನ್ ತೈಲ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಸೆಟಪ್ ನೌಕರರ ಮಾನವ ಸಂಪನ್ಮೂಲ ವ್ಯವಸ್ಥೆ ಹೆಸರಿಸುವ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು 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,ಗ್ರಾಹಕ ವಿಳಾಸ @@ -2773,7 +2780,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ಸಂಸ್ಥೆ ಸೇರಿದ ಖಾತೆಗಳ ಪ್ರತ್ಯೇಕ ಚಾರ್ಟ್ ಜೊತೆಗೆ ಕಾನೂನು ಘಟಕದ / ಅಂಗಸಂಸ್ಥೆ. DocType: Payment Request,Mute Email,ಮ್ಯೂಟ್ ಇಮೇಲ್ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ಆಹಾರ , ಪಾನೀಯ ಮತ್ತು ತಂಬಾಕು" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ಮಾತ್ರ ವಿರುದ್ಧ ಪಾವತಿ ಮಾಡಬಹುದು unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},ಮಾತ್ರ ವಿರುದ್ಧ ಪಾವತಿ ಮಾಡಬಹುದು unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ಕಮಿಷನ್ ದರ 100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ DocType: Stock Entry,Subcontract,subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ಮೊದಲ {0} ನಮೂದಿಸಿ @@ -2801,7 +2808,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,ವಿದ್ಯಾರ್ಥಿ ಮಾಸಿಕ ಅಟೆಂಡೆನ್ಸ್ ಶೀಟ್ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ನೌಕರರ {0} ಈಗಾಗಲೇ {1} {2} ಮತ್ತು ನಡುವೆ ಅನ್ವಯಿಸಿದ್ದಾರೆ {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ಪ್ರಾಜೆಕ್ಟ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,ರವರೆಗೆ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,ರವರೆಗೆ DocType: Rename Tool,Rename Log,ಲಾಗ್ ಮರುಹೆಸರಿಸು apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,ವಿದ್ಯಾರ್ಥಿ ಗ್ರೂಪ್ ಅಥವಾ ಕೋರ್ಸ್ ಶೆಡ್ಯೂಲ್ ಕಡ್ಡಾಯ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,ವಿದ್ಯಾರ್ಥಿ ಗ್ರೂಪ್ ಅಥವಾ ಕೋರ್ಸ್ ಶೆಡ್ಯೂಲ್ ಕಡ್ಡಾಯ @@ -2826,7 +2833,7 @@ DocType: Purchase Order Item,Returned Qty,ಮರಳಿದರು ಪ್ರಮಾ DocType: Employee,Exit,ನಿರ್ಗಮನ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ರೂಟ್ ಪ್ರಕಾರ ಕಡ್ಡಾಯ DocType: BOM,Total Cost(Company Currency),ಒಟ್ಟು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ದಾಖಲಿಸಿದವರು +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ದಾಖಲಿಸಿದವರು DocType: Homepage,Company Description for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟಕ್ಕೆ ಕಂಪನಿ ವಿವರಣೆ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ಗ್ರಾಹಕರ ಅನುಕೂಲಕ್ಕಾಗಿ, ಪ್ರಬಂಧ ಸಂಕೇತಗಳು ಇನ್ವಾಯ್ಸ್ ಮತ್ತು ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು ರೀತಿಯ ಮುದ್ರಣ ಸ್ವರೂಪಗಳು ಬಳಸಬಹುದು" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier ಹೆಸರು @@ -2847,7 +2854,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS ಗೇಟ್ವೇ URL ಅನ್ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿಗಳು ಅಳಿಸಲಾಗಿದೆ: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS ಡೆಲಿವರಿ ಸ್ಥಾನಮಾನ ಕಾಯ್ದುಕೊಳ್ಳುವುದು ದಾಖಲೆಗಳು DocType: Accounts Settings,Make Payment via Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಪಾವತಿ ಮಾಡಲು -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,ಮುದ್ರಿಸಲಾಗಿತ್ತು +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,ಮುದ್ರಿಸಲಾಗಿತ್ತು DocType: Item,Inspection Required before Delivery,ತಪಾಸಣೆ ಅಗತ್ಯ ಡೆಲಿವರಿ ಮೊದಲು DocType: Item,Inspection Required before Purchase,ತಪಾಸಣೆ ಅಗತ್ಯ ಖರೀದಿ ಮೊದಲು apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ಬಾಕಿ ಚಟುವಟಿಕೆಗಳು @@ -2879,9 +2886,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ವಿದ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ಮಿತಿ ಕ್ರಾಸ್ಡ್ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,ಈ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಶೈಕ್ಷಣಿಕ ಪದವನ್ನು {0} ಮತ್ತು 'ಟರ್ಮ್ ಹೆಸರು' {1} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ದಯವಿಟ್ಟು ಈ ನಮೂದುಗಳನ್ನು ಮಾರ್ಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ಐಟಂ {0} ವಿರುದ್ಧದ ವ್ಯವಹಾರ ಇವೆ, ನೀವು ಮೌಲ್ಯವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {1}" +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}","ಐಟಂ {0} ವಿರುದ್ಧದ ವ್ಯವಹಾರ ಇವೆ, ನೀವು ಮೌಲ್ಯವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {1}" DocType: UOM,Must be Whole Number,ಹೋಲ್ ಸಂಖ್ಯೆ ಇರಬೇಕು DocType: Leave Control Panel,New Leaves Allocated (In Days),( ದಿನಗಳಲ್ಲಿ) ನಿಗದಿ ಹೊಸ ಎಲೆಗಳು +DocType: Sales Invoice,Invoice Copy,ಸರಕುಪಟ್ಟಿ ನಕಲಿಸಿ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ DocType: Sales Invoice Item,Customer Warehouse (Optional),ಗ್ರಾಹಕ ಮಳಿಗೆ (ಐಚ್ಛಿಕ) DocType: Pricing Rule,Discount Percentage,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು @@ -2927,8 +2935,10 @@ 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 +305,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,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ಖಾತೆ DocType: Stock Settings,Freeze Stock Entries,ಫ್ರೀಜ್ ಸ್ಟಾಕ್ ನಮೂದುಗಳು +DocType: Program Enrollment,Boarding Student,ಬೋರ್ಡಿಂಗ್ ವಿದ್ಯಾರ್ಥಿ DocType: Asset,Expected Value After Useful Life,ಉಪಯುಕ್ತ ಲೈಫ್ ನಂತರ ನಿರೀಕ್ಷಿತ ಮೌಲ್ಯ DocType: Item,Reorder level based on Warehouse,ವೇರ್ಹೌಸ್ ಆಧರಿಸಿ ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟದ DocType: Activity Cost,Billing Rate,ಬಿಲ್ಲಿಂಗ್ ದರ @@ -2956,11 +2966,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ಚಟುವಟಿಕೆ ಆಧಾರಿತ ಗ್ರೂಪ್ ಕೈಯಾರೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಆಯ್ಕೆ DocType: Journal Entry,User Remark,ಬಳಕೆದಾರ ಟೀಕಿಸು DocType: Lead,Market Segment,ಮಾರುಕಟ್ಟೆ ವಿಭಾಗ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ಪಾವತಿಸಿದ ಮೊತ್ತ ಒಟ್ಟು ಋಣಾತ್ಮಕ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ಪಾವತಿಸಿದ ಮೊತ್ತ ಒಟ್ಟು ಋಣಾತ್ಮಕ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {0} DocType: Employee Internal Work History,Employee Internal Work History,ಆಂತರಿಕ ಕೆಲಸದ ಇತಿಹಾಸ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),ಮುಚ್ಚುವ (ಡಾ) DocType: Cheque Print Template,Cheque Size,ಚೆಕ್ ಗಾತ್ರ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಅಲ್ಲ ಸ್ಟಾಕ್ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಅಲ್ಲ ಸ್ಟಾಕ್ apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ . DocType: Sales Invoice,Write Off Outstanding Amount,ಪ್ರಮಾಣ ಅತ್ಯುತ್ತಮ ಆಫ್ ಬರೆಯಿರಿ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ಖಾತೆ {0} ಕಂಪೆನಿಯೊಂದಿಗೆ ಹೊಂದುವುದಿಲ್ಲ {1} @@ -2985,7 +2995,7 @@ 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 +348,Add a few sample records,ಕೆಲವು ಸ್ಯಾಂಪಲ್ ದಾಖಲೆಗಳನ್ನು ಸೇರಿಸಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,ಸಂಪೂರ್ಣವಾಗಿ ತಲುಪಿಸಲಾಗಿದೆ @@ -2999,17 +3009,17 @@ 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,ಸಂಪೂರ್ಣವಾಗಿ Depreciated ,Stock Projected Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ಯೋಜಿತ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ಗ್ರಾಹಕರ ಆರ್ಡರ್ ಖರೀದಿಸಿ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ DocType: Warranty Claim,From Company,ಕಂಪನಿ -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಅಂಕಗಳು ಮೊತ್ತ {0} ಎಂದು ಅಗತ್ಯವಿದೆ. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಅಂಕಗಳು ಮೊತ್ತ {0} ಎಂದು ಅಗತ್ಯವಿದೆ. 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 +270,Minute,ಮಿನಿಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ಮಿನಿಟ್ DocType: Purchase Invoice,Purchase Taxes and Charges,ಖರೀದಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ,Qty to Receive,ಸ್ವೀಕರಿಸುವ ಪ್ರಮಾಣ DocType: Leave Block List,Leave Block List Allowed,ಖಂಡ ಅನುಮತಿಸಲಾಗಿದೆ ಬಿಡಿ @@ -3030,7 +3040,7 @@ DocType: Production Order,PRO-,ಪರ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ಬ್ಯಾಂಕಿನ ಓವರ್ಡ್ರಾಫ್ಟ್ ಖಾತೆ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ಮಾಡಿ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ರೋ # {0}: ನಿಗದಿ ಪ್ರಮಾಣ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ಬ್ರೌಸ್ BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ಬ್ರೌಸ್ BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ಸುರಕ್ಷಿತ ಸಾಲ DocType: Purchase Invoice,Edit Posting Date and Time,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಸಮಯವನ್ನು ಸಂಪಾದಿಸಿ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ಆಸ್ತಿ ವರ್ಗ {0} ಅಥವಾ ಕಂಪನಿಯಲ್ಲಿ ಸವಕಳಿ ಸಂಬಂಧಿಸಿದ ಖಾತೆಗಳು ಸೆಟ್ ಮಾಡಿ {1} @@ -3046,7 +3056,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 +278,Select Quantity,ಆಯ್ಕೆ ಪ್ರಮಾಣ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,ಈ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ಅನ್ಸಬ್ಸ್ಕ್ರೈಬ್ @@ -3069,6 +3079,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},ಹೆಚ್ಚು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಹಳೆಯ ನವೀಕರಿಸಲು ಅವಕಾಶ {0} DocType: Purchase Invoice Item,PR Detail,ತರಬೇತಿ ವಿವರ DocType: Sales Order,Fully Billed,ಸಂಪೂರ್ಣವಾಗಿ ಖ್ಯಾತವಾದ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಸರಬರಾಜುದಾರ ವಿಧ 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 +127,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),ಪ್ಯಾಕೇಜ್ ಒಟ್ಟಾರೆ ತೂಕದ . ಸಾಮಾನ್ಯವಾಗಿ ನಿವ್ವಳ ತೂಕ + ಪ್ಯಾಕೇಜಿಂಗ್ ವಸ್ತುಗಳ ತೂಕ . ( ಮುದ್ರಣ ) @@ -3107,8 +3118,9 @@ 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} ಸಲ್ಲಿಸದಿದ್ದರೆ DocType: Customs Tariff Number,Tariff Number,ಟ್ಯಾರಿಫ್ ಸಂಖ್ಯೆ +DocType: Production Order Item,Available Qty at WIP Warehouse,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ವಿಪ್ ಕೋಠಿಯಲ್ಲಿ apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ಯೋಜಿತ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ವೇರ್ಹೌಸ್ ಸೇರುವುದಿಲ್ಲ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ವೇರ್ಹೌಸ್ ಸೇರುವುದಿಲ್ಲ {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,ಗಮನಿಸಿ : ಸಿಸ್ಟಮ್ ಐಟಂ ಡೆಲಿವರಿ ಮೇಲೆ ಮತ್ತು ಅತಿ ಬುಕಿಂಗ್ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ {0} ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣದ 0 DocType: Notification Control,Quotation Message,ನುಡಿಮುತ್ತುಗಳು ಸಂದೇಶ DocType: Employee Loan,Employee Loan Application,ನೌಕರರ ಸಾಲ ಅಪ್ಲಿಕೇಶನ್ @@ -3127,13 +3139,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ಪೂರೈಕೆದಾರರು ಬೆಳೆಸಿದರು ಬಿಲ್ಲುಗಳನ್ನು . DocType: POS Profile,Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ಗಮನಿಸಿ ಆಮ್ಟ್ ಡೆಬಿಟ್ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ಗಮನಿಸಿ ಆಮ್ಟ್ ಡೆಬಿಟ್ apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ 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 +207,e.g. VAT,ಇ ಜಿ ವ್ಯಾಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,ಒಳ-ಒಪ್ಪಂದ @@ -3141,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 +1945,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ DocType: C-Form,I,ನಾನು DocType: Company,Asset Depreciation Cost Center,ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ DocType: Sales Order Item,Sales Order Date,ಮಾರಾಟದ ಆದೇಶ ದಿನಾಂಕ @@ -3170,7 +3182,7 @@ DocType: Lead,Address Desc,DESC ವಿಳಾಸ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ಪಕ್ಷದ ಕಡ್ಡಾಯ DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ವಿಷಯ ಹೆಸರು -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿ ಆಫ್ ಕನಿಷ್ಠ ಒಂದು ಆಯ್ಕೆ ಮಾಡಬೇಕು +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿ ಆಫ್ ಕನಿಷ್ಠ ಒಂದು ಆಯ್ಕೆ ಮಾಡಬೇಕು apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ನಿಮ್ಮ ವ್ಯಾಪಾರ ಸ್ವರೂಪ ಆಯ್ಕೆಮಾಡಿ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ರೋ # {0}: ನಕಲು ಉಲ್ಲೇಖಗಳು ಪ್ರವೇಶ {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ಉತ್ಪಾದನಾ ಕಾರ್ಯಗಳ ಅಲ್ಲಿ ನಿರ್ವಹಿಸುತ್ತಾರೆ. @@ -3179,7 +3191,7 @@ 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} DocType: Employee,Confirmation Date,ದೃಢೀಕರಣ ದಿನಾಂಕ DocType: C-Form,Total Invoiced Amount,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ DocType: Account,Accumulated Depreciation,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ DocType: Stock Entry,Customer or Supplier Details,ಗ್ರಾಹಕ ಅಥವಾ ಪೂರೈಕೆದಾರರ ವಿವರಗಳು DocType: Employee Loan Application,Required by Date,ದಿನಾಂಕ ಅಗತ್ಯವಾದ @@ -3208,10 +3220,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ಪರ್ಚ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ಕಂಪೆನಿ ಹೆಸರು ಕಂಪನಿ ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ಮುದ್ರಣ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು letterheads . apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ಮುದ್ರಣ ಶೀರ್ಷಿಕೆ ಇ ಜಿ ಟೆಂಪ್ಲೇಟ್ಗಳು Proforma ಸರಕುಪಟ್ಟಿ . +DocType: Program Enrollment,Walking,ವಾಕಿಂಗ್ DocType: Student Guardian,Student Guardian,ವಿದ್ಯಾರ್ಥಿ ಗಾರ್ಡಿಯನ್ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ಮೌಲ್ಯಾಂಕನ ರೀತಿಯ ಆರೋಪಗಳನ್ನು ಇನ್ಕ್ಲೂಸಿವ್ ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: POS Profile,Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಸರಬರಾಜುದಾರ ವಿಧ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ಐಟಂಗಳನ್ನು ವಿವಿಧ UOM ತಪ್ಪು ( ಒಟ್ಟು ) ನೆಟ್ ತೂಕ ಮೌಲ್ಯವನ್ನು ಕಾರಣವಾಗುತ್ತದೆ . ಪ್ರತಿ ಐಟಂ ಮಾಡಿ surethat ನೆಟ್ ತೂಕ ಅದೇ UOM ಹೊಂದಿದೆ . apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,ಬಿಒಎಮ್ ದರ DocType: Asset,Journal Entry for Scrap,ಸ್ಕ್ರ್ಯಾಪ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ @@ -3265,7 +3277,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,ಶೋ ತೆರಿಗೆ ಮುರಿದುಕೊಂಡು apps/erpnext/erpnext/accounts/party.py +308,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,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳು ಕಂಡುಬಂದಿಲ್ಲ @@ -3285,14 +3296,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳ ರಲ್ಲಿ +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 +108,Please enter 'Expected Delivery Date',' ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ' ನಮೂದಿಸಿ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,ಅಮಾನ್ಯವಾದ GSTIN ಅಥವಾ ನೋಂದಾಯಿಸದ ಫಾರ್ ಎನ್ಎ ನಮೂದಿಸಿ +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,ಅಮಾನ್ಯವಾದ GSTIN ಅಥವಾ ನೋಂದಾಯಿಸದ ಫಾರ್ ಎನ್ಎ ನಮೂದಿಸಿ DocType: Training Event,Seminar,ಸೆಮಿನಾರ್ DocType: Program Enrollment Fee,Program Enrollment Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಶುಲ್ಕ DocType: Item,Supplier Items,ಪೂರೈಕೆದಾರ ಐಟಂಗಳು @@ -3322,21 +3333,23 @@ DocType: Sales Team,Contribution (%),ಕೊಡುಗೆ ( % ) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ಗಮನಿಸಿ : ಪಾವತಿ ಎಂಟ್ರಿ 'ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ' ಏನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿಲ್ಲ ರಿಂದ ರಚಿಸಲಾಗುವುದಿಲ್ಲ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ಜವಾಬ್ದಾರಿಗಳನ್ನು DocType: Expense Claim Account,Expense Claim Account,ಖರ್ಚು ಹಕ್ಕು ಖಾತೆ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ಹೊಂದಿಸುವಿಕೆ> ಸೆಟ್ಟಿಂಗ್ಗಳು ಮೂಲಕ> ಹೆಸರಿಸುವ ಸರಣಿಗಾಗಿ ಸರಣಿ ಹೆಸರಿಸುವ ದಯವಿಟ್ಟು 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,ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸರಕುಪಟ್ಟಿ ನಮೂದಿಸಿ +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 ಸಾಧ್ಯವಿಲ್ಲ. DocType: Stock Reconciliation Item,Before reconciliation,ಸಮನ್ವಯ ಮೊದಲು apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ಗೆ {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ಐಟಂ ತೆರಿಗೆ ರೋ {0} ಬಗೆಯ ತೆರಿಗೆ ಅಥವಾ ಆದಾಯ ಅಥವಾ ಖರ್ಚು ಅಥವಾ ಶುಲ್ಕಕ್ಕೆ ಖಾತೆಯನ್ನು ಹೊಂದಿರಬೇಕು +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ಐಟಂ ತೆರಿಗೆ ರೋ {0} ಬಗೆಯ ತೆರಿಗೆ ಅಥವಾ ಆದಾಯ ಅಥವಾ ಖರ್ಚು ಅಥವಾ ಶುಲ್ಕಕ್ಕೆ ಖಾತೆಯನ್ನು ಹೊಂದಿರಬೇಕು DocType: Sales Order,Partly Billed,ಹೆಚ್ಚಾಗಿ ಖ್ಯಾತವಾದ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ಐಟಂ {0} ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಇರಬೇಕು DocType: Item,Default BOM,ಡೀಫಾಲ್ಟ್ BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ಡೆಬಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ಡೆಬಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ಮರು ಮಾದರಿ ಕಂಪನಿ ಹೆಸರು ದೃಢೀಕರಿಸಿ ದಯವಿಟ್ಟು -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್ DocType: Journal Entry,Printing Settings,ಮುದ್ರಣ ಸೆಟ್ಟಿಂಗ್ಗಳು DocType: Sales Invoice,Include Payment (POS),ಪಾವತಿ ಸೇರಿಸಿ (ಪಿಓಎಸ್) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ಒಟ್ಟು ಡೆಬಿಟ್ ಒಟ್ಟು ಕ್ರೆಡಿಟ್ ಸಮಾನವಾಗಿರಬೇಕು . ವ್ಯತ್ಯಾಸ {0} @@ -3344,20 +3357,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ಆಟ DocType: Vehicle,Insurance Company,ವಿಮಾ ಕಂಪನಿ DocType: Asset Category Account,Fixed Asset Account,ಸ್ಥಿರ ಆಸ್ತಿ ಖಾತೆಯನ್ನು apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,ವೇರಿಯಬಲ್ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ DocType: Student,Student Email Address,ವಿದ್ಯಾರ್ಥಿ ಇಮೇಲ್ ವಿಳಾಸ DocType: Timesheet Detail,From Time,ಸಮಯದಿಂದ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ಉಪಲಬ್ದವಿದೆ: DocType: Notification Control,Custom Message,ಕಸ್ಟಮ್ ಸಂದೇಶ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ ಬ್ಯಾಂಕಿಂಗ್ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್ ಸೆಟಪ್ ಮೂಲಕ ಅಟೆಂಡೆನ್ಸ್ ಕ್ರಮಾಂಕಗಳನ್ನು ದಯವಿಟ್ಟು ಸರಣಿ> ನಂಬರಿಂಗ್ ಸರಣಿ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ 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 +1517,Address Name,ವಿಳಾಸ ಹೆಸರು +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ವಿಳಾಸ ಹೆಸರು DocType: Stock Entry,From BOM,BOM ಗೆ DocType: Assessment Code,Assessment Code,ಅಸೆಸ್ಮೆಂಟ್ ಕೋಡ್ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ಮೂಲಭೂತ @@ -3374,7 +3386,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ. +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/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,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ @@ -3382,7 +3394,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,ವಿದ್ಯಾರ್ಥಿ ಈಗಾಗಲೇ ದಾಖಲಿಸಲಾಗಿದೆ. @@ -3391,7 +3403,7 @@ DocType: Process Payroll,Process Payroll,ಪ್ರಕ್ರಿಯೆ ವೇ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,ಈ ತಿಂಗಳ ದಿನಗಳ ಕೆಲಸ ಹೆಚ್ಚು ರಜಾದಿನಗಳಲ್ಲಿ ಇವೆ . DocType: Product Bundle Item,Product Bundle Item,ಉತ್ಪನ್ನ ಕಟ್ಟು ಐಟಂ DocType: Sales Partner,Sales Partner Name,ಮಾರಾಟದ ಸಂಗಾತಿ ಹೆಸರು -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,ಉಲ್ಲೇಖಗಳು ವಿನಂತಿ DocType: Payment Reconciliation,Maximum Invoice Amount,ಗರಿಷ್ಠ ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣವನ್ನು DocType: Student Language,Student Language,ವಿದ್ಯಾರ್ಥಿ ಭಾಷಾ apps/erpnext/erpnext/config/selling.py +23,Customers,ಗ್ರಾಹಕರು @@ -3402,7 +3414,7 @@ DocType: Asset,Partially Depreciated,ಭಾಗಶಃ Depreciated DocType: Issue,Opening Time,ಆರಂಭಿಕ ಸಮಯ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ಅಗತ್ಯವಿದೆ ದಿನಾಂಕ ಮತ್ತು ಮಾಡಲು apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ಸೆಕ್ಯುರಿಟೀಸ್ ಮತ್ತು ಸರಕು ವಿನಿಮಯ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ಭಿನ್ನ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ '{0}' ಟೆಂಪ್ಲೇಟು ಅದೇ ಇರಬೇಕು '{1}' +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 +847,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು @@ -3421,7 +3433,7 @@ 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 +266,Raw Material,ಮೂಲಸಾಮಗ್ರಿ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ @@ -3433,7 +3445,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ದಿನಾಂಕ ತೆರೆಯುವ ದಿನಾಂಕ ಮುಚ್ಚುವ ಮೊದಲು ಇರಬೇಕು -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ಹೊಂದಿಸುವಿಕೆ> ಸೆಟ್ಟಿಂಗ್ಗಳು ಮೂಲಕ> ಹೆಸರಿಸುವ ಸರಣಿಗಾಗಿ ಸರಣಿ ಹೆಸರಿಸುವ ದಯವಿಟ್ಟು 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.,ಯಾವ ರಜಾದಿನಗಳಲ್ಲಿ ಡೇಸ್ ಈ ಇಲಾಖೆಗೆ ನಿರ್ಬಂಧಿಸಲಾಗುತ್ತದೆ. @@ -3446,8 +3457,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0} +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/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,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ DocType: Authorization Rule,Applicable To (Designation),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಹುದ್ದೆ ) @@ -3464,7 +3475,7 @@ 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 +270,Hour,ಗಂಟೆ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ನೀವು ಬ್ಲಾಕ್ ದಿನಾಂಕ ಎಲೆಗಳು ಅನುಮೋದಿಸಲು ನಿನಗೆ ಅಧಿಕಾರವಿಲ್ಲ @@ -3474,7 +3485,7 @@ 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 +645,Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಸೇಲ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಸೇಲ್ DocType: Payment Entry,Received Amount,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ DocType: GST Settings,GSTIN Email Sent On,GSTIN ಇಮೇಲ್ ಕಳುಹಿಸಲಾಗಿದೆ DocType: Program Enrollment,Pick/Drop by Guardian,ಗಾರ್ಡಿಯನ್ / ಡ್ರಾಪ್ ಆರಿಸಿ @@ -3491,8 +3502,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 +270,Gram,ಗ್ರಾಮ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು. +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/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% ಅವಕಾಶವಿರುತ್ತದೆ ಇದೆ . @@ -3518,14 +3529,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 +465,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,ಅನೇಕ ನೌಕರರು ಮಾರ್ಕ್ ಅಟೆಂಡೆನ್ಸ್ @@ -3557,7 +3568,7 @@ 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 +436,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0} DocType: Leave Allocation,Unused leaves,ಬಳಕೆಯಾಗದ ಎಲೆಗಳು apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,ಕೋಟಿ DocType: Tax Rule,Billing State,ಬಿಲ್ಲಿಂಗ್ ರಾಜ್ಯ @@ -3605,7 +3616,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},ಅಮಾನ್ಯ ಗುಣಲಕ್ಷಣ {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',ದಯವಿಟ್ಟು 'ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು' ಬೇರೆ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಆಯ್ಕೆ @@ -3707,16 +3718,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,ಸಂಬಳ ಘಟಕ DocType: Program Enrollment Tool,New Academic Year,ಹೊಸ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ರಿಟರ್ನ್ / ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ DocType: Stock Settings,Auto insert Price List rate if missing,ಆಟೋ ಇನ್ಸರ್ಟ್ ದರ ಪಟ್ಟಿ ದರ ಕಾಣೆಯಾಗಿದೆ ವೇಳೆ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ಒಟ್ಟು ಗಳಿಸುವ ಪ್ರಮಾಣ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,ಒಟ್ಟು ಗಳಿಸುವ ಪ್ರಮಾಣ DocType: Production Order Item,Transferred Qty,ಪ್ರಮಾಣ ವರ್ಗಾಯಿಸಲಾಯಿತು apps/erpnext/erpnext/config/learn.py +11,Navigating,ನ್ಯಾವಿಗೇಟ್ 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 +272,We sell this Item,ನಾವು ಈ ಐಟಂ ಮಾರಾಟ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,ಮಾದರಿ ಡೇಟಾ 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,ಅರ್ಧ ದಿನ ದಿನಾಂಕ @@ -3764,7 +3777,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 +1186,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು DocType: Pricing Rule,Buying,ಖರೀದಿ DocType: HR Settings,Employee Records to be created by,ನೌಕರರ ದಾಖಲೆಗಳು ದಾಖಲಿಸಿದವರು DocType: POS Profile,Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು @@ -3781,13 +3794,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,ಶುಲ್ಕ ಸಂಗ್ರಹಿಸಿ DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},ಬಾರ್ಕೋಡ್ {0} ಈಗಾಗಲೇ ಐಟಂ ಬಳಸಲಾಗುತ್ತದೆ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},ಬಾರ್ಕೋಡ್ {0} ಈಗಾಗಲೇ ಐಟಂ ಬಳಸಲಾಗುತ್ತದೆ {1} DocType: Lead,Add to calendar on this date,ಈ ದಿನಾಂಕದಂದು ಕ್ಯಾಲೆಂಡರ್ಗೆ ಸೇರಿಸು apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು . DocType: Item,Opening Stock,ಸ್ಟಾಕ್ ತೆರೆಯುವ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ಗ್ರಾಹಕ ಅಗತ್ಯವಿದೆ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ರಿಟರ್ನ್ ಕಡ್ಡಾಯ DocType: Purchase Order,To Receive,ಪಡೆಯಲು +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,ಸ್ಟಾಫ್ ಇಮೇಲ್ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ಒಟ್ಟು ಭಿನ್ನಾಭಿಪ್ರಾಯ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ಶಕ್ತಗೊಂಡಿದ್ದಲ್ಲಿ , ಗಣಕವು ದಾಸ್ತಾನು ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಪೋಸ್ಟ್ ಕಾಣಿಸುತ್ತದೆ ." @@ -3799,7 +3813,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 +541,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ @@ -3807,7 +3821,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,ಖಾತರಿ ಹೊರಗೆ DocType: BOM Replace Tool,Replace,ಬದಲಾಯಿಸಿ apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ಯಾವುದೇ ಉತ್ಪನ್ನಗಳು ಕಂಡುಬಂದಿಲ್ಲ. -DocType: Production Order,Unstopped,ತಡೆಯುವಿಕೆಯೂ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,ಪ್ರಾಜೆಕ್ಟ್ ಹೆಸರು @@ -3818,6 +3831,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} 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} ಅಥವಾ ಈಗಾಗಲೇ ಇತರ ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ @@ -3855,9 +3869,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,ಇದು ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಕಾರಣ ಐಟಂ {0} ಕಡೆಗಣಿಸಲಾಗುತ್ತದೆ +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 +40,Submit this Production Order for further processing.,ಮತ್ತಷ್ಟು ಪ್ರಕ್ರಿಯೆಗೆ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಸಲ್ಲಿಸಿ . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ಉದ್ಯೋಗ @@ -3865,12 +3879,14 @@ 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 +209,Rate (%),ದರ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","ನಿಮ್ಮನ್ನು ಬೇರೆ, ನಿಮ್ಮ ಸಂಸ್ಥೆಗೆ ಬಳಕೆದಾರರು ಸೇರಿಸಿ" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',ಕಂಪನಿ ಖಾಲಿ ಫಿಲ್ಟರ್ ಸೆಟ್ ದಯವಿಟ್ಟು ಗುಂಪಿನ ಕಂಪೆನಿ 'ಆಗಿದೆ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮುಂದಿನ ದಿನಾಂಕದಂದು ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ರೋ # {0}: ಸೀರಿಯಲ್ ಯಾವುದೇ {1} ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ರಜೆ @@ -3899,7 +3915,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,ಸ್ಟಾಕ್ ಲೆಡ್ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಅಂಕಣ ಖಾಲಿಯಾಗಿರಬೇಕು +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಅಂಕಣ ಖಾಲಿಯಾಗಿರಬೇಕು DocType: Accounts Settings,Accounts Settings,ಸೆಟ್ಟಿಂಗ್ಗಳು ಖಾತೆಗಳು apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,ಅನುಮೋದಿಸಿ DocType: Customer,Sales Partner and Commission,ಮಾರಾಟದ ಸಂಗಾತಿ ಮತ್ತು ಆಯೋಗದ @@ -3914,7 +3930,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 +62,{0} items produced,{0} ನಿರ್ಮಾಣ ಐಟಂಗಳನ್ನು +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,ರಿಟರ್ನ್ @@ -3928,7 +3944,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,ವಿನಿಮಯ ದರ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ @@ -3953,18 +3969,18 @@ 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 +705,Online,ಆನ್ಲೈನ್ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ DocType: Employee Loan,Repay Fixed Amount per Period,ಅವಧಿಯ ಪ್ರತಿ ಸ್ಥಿರ ಪ್ರಮಾಣದ ಮರುಪಾವತಿ apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ಐಟಂ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ ಆಮ್ಟ್ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ ಆಮ್ಟ್ DocType: Employee External Work History,Employee External Work History,ಬಾಹ್ಯ ಕೆಲಸದ ಇತಿಹಾಸ DocType: Tax Rule,Purchase,ಖರೀದಿ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ಬ್ಯಾಲೆನ್ಸ್ ಪ್ರಮಾಣ @@ -3990,7 +4006,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 +2383,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ DocType: Employee,Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ DocType: Training Event,Internet,ಇಂಟರ್ನೆಟ್ DocType: Account,Stock Adjustment,ಸ್ಟಾಕ್ ಹೊಂದಾಣಿಕೆ @@ -4020,6 +4036,7 @@ DocType: Guardian,Guardian Of ,ಗಾರ್ಡಿಯನ್ DocType: Grading Scale Interval,Threshold,ಮಿತಿ DocType: BOM Replace Tool,Current BOM,ಪ್ರಸ್ತುತ BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,ಸೀರಿಯಲ್ ನಂ ಸೇರಿಸಿ +DocType: Production Order Item,Available Qty at Source Warehouse,ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಮೂಲ ಕೋಠಿಯಲ್ಲಿ apps/erpnext/erpnext/config/support.py +22,Warranty,ಖಾತರಿ DocType: Purchase Invoice,Debit Note Issued,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು ನೀಡಲಾಗಿದೆ DocType: Production Order,Warehouses,ಗೋದಾಮುಗಳು @@ -4035,13 +4052,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ಮೊತ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ಪ್ರಾಜೆಕ್ಟ್ ಮ್ಯಾನೇಜರ್ ,Quoted Item Comparison,ಉಲ್ಲೇಖಿಸಿದ ಐಟಂ ಹೋಲಿಕೆ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ರವಾನಿಸು -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ಮ್ಯಾಕ್ಸ್ ರಿಯಾಯಿತಿ ಐಟಂ ಅವಕಾಶ: {0} {1}% ಆಗಿದೆ +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 +279,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 +879,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು" DocType: Item,Material Issue,ಮೆಟೀರಿಯಲ್ ಸಂಚಿಕೆ DocType: Hub Settings,Seller Description,ಮಾರಾಟಗಾರ ವಿವರಣೆ DocType: Employee Education,Qualification,ಅರ್ಹತೆ @@ -4065,7 +4082,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 +200,Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ಸಲ್ಲಿಸಿದ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಏಕೆಂದರೆ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Employee Loan,Disbursement Date,ವಿತರಣೆ ದಿನಾಂಕ DocType: Vehicle,Vehicle,ವಾಹನ DocType: Purchase Invoice,In Words,ವರ್ಡ್ಸ್ @@ -4086,7 +4103,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","ಡೀಫಾಲ್ಟ್ ಎಂದು ಈ ಆರ್ಥಿಕ ವರ್ಷ ಹೊಂದಿಸಲು, ' ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು ' ಕ್ಲಿಕ್" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ಸೇರಲು apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ DocType: Employee Loan,Repay from Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ DocType: Leave Application,LAP/,ಲ್ಯಾಪ್ / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ವಿರುದ್ಧ ಪಾವತಿ ಮನವಿ {0} {1} ಪ್ರಮಾಣದ {2} @@ -4104,18 +4121,18 @@ 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 +1011,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಈಗಾಗಲೇ ಸ್ವೀಕರಿಸಲಾಗಿದೆ +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: Expense Claim,Vehicle Log,ವಾಹನ ಲಾಗ್ DocType: Purchase Invoice,Recurring Id,ಮರುಕಳಿಸುವ ಸಂ DocType: Customer,Sales Team Details,ಮಾರಾಟ ತಂಡದ ವಿವರಗಳು -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},ಅಮಾನ್ಯವಾದ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ಅಮಾನ್ಯವಾದ {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ಸಿಕ್ ಲೀವ್ DocType: Email Digest,Email Digest,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್ DocType: Delivery Note,Billing Address Name,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸ ಹೆಸರು @@ -4128,6 +4145,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,ಪೂರಣಮಾಡಬಲ್ಲ DocType: Company,Change Abbreviation,ಬದಲಾವಣೆ ಸಂಕ್ಷೇಪಣ DocType: Expense Claim Detail,Expense Date,ಖರ್ಚು ದಿನಾಂಕ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್ DocType: Item,Max Discount (%),ಮ್ಯಾಕ್ಸ್ ಡಿಸ್ಕೌಂಟ್ ( % ) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,ಕೊನೆಯ ಆರ್ಡರ್ ಪ್ರಮಾಣ DocType: Task,Is Milestone,ಮೈಲ್ಸ್ಟೋನ್ ಈಸ್ @@ -4151,8 +4169,8 @@ DocType: Program Enrollment Tool,New Program,ಹೊಸ ಕಾರ್ಯಕ್ DocType: Item Attribute Value,Attribute Value,ಮೌಲ್ಯ ಲಕ್ಷಣ ,Itemwise Recommended Reorder Level,Itemwise ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟ ಶಿಫಾರಸು DocType: Salary Detail,Salary Detail,ಸಂಬಳ ವಿವರ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,ಐಟಂ ಬ್ಯಾಚ್ {0} {1} ಮುಗಿದಿದೆ. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,ಐಟಂ ಬ್ಯಾಚ್ {0} {1} ಮುಗಿದಿದೆ. DocType: Sales Invoice,Commission,ಆಯೋಗ apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ಉತ್ಪಾದನೆ ಟೈಮ್ ಶೀಟ್. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ಉಪಮೊತ್ತ @@ -4177,12 +4195,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 +399,Operation Time must be greater than 0 for Operation {0},ಆಪರೇಷನ್ ಟೈಮ್ ಆಪರೇಷನ್ 0 ಹೆಚ್ಚು ಇರಬೇಕು {0} +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/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 +387,Production Order cannot be raised against a Item Template,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಒಂದು ಐಟಂ ಟೆಂಪ್ಲೇಟು ವಿರುದ್ಧ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,ಪ್ರಾರಂಭ ದಿನಾಂಕ @@ -4212,7 +4230,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,ವಿಲೇವಾರಿ ದಿನಾಂಕ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ಇಮೇಲ್ಗಳನ್ನು ಅವರು ರಜಾ ಹೊಂದಿಲ್ಲ ವೇಳೆ, ಗಂಟೆ ಕಂಪನಿಯ ಎಲ್ಲಾ ಸಕ್ರಿಯ ನೌಕರರು ಕಳುಹಿಸಲಾಗುವುದು. ಪ್ರತಿಕ್ರಿಯೆಗಳ ಸಾರಾಂಶ ಮಧ್ಯರಾತ್ರಿ ಕಳುಹಿಸಲಾಗುವುದು." DocType: Employee Leave Approver,Employee Leave Approver,ನೌಕರರ ಲೀವ್ ಅನುಮೋದಕ -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ಸೋತು ಉದ್ಧರಣ ಮಾಡಲಾಗಿದೆ ಏಕೆಂದರೆ , ಘೋಷಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ." 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} ಸಲ್ಲಿಸಬೇಕು @@ -4246,6 +4264,7 @@ DocType: Announcement,Student,ವಿದ್ಯಾರ್ಥಿ apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,ಸಂಸ್ಥೆ ಘಟಕ ( ಇಲಾಖೆ ) ಮಾಸ್ಟರ್ . apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,ಮಾನ್ಯ ಮೊಬೈಲ್ ಸೂಲ ನಮೂದಿಸಿ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ಕಳುಹಿಸುವ ಮೊದಲು ಸಂದೇಶವನ್ನು ನಮೂದಿಸಿ +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ಸರಬರಾಜುದಾರರು ನಕಲು DocType: Email Digest,Pending Quotations,ಬಾಕಿ ಉಲ್ಲೇಖಗಳು apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ ವಿವರ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS ಸೆಟ್ಟಿಂಗ್ಗಳು ಅಪ್ಡೇಟ್ ಮಾಡಿ @@ -4254,7 +4273,7 @@ DocType: Cost Center,Cost Center Name,ವೆಚ್ಚದ ಕೇಂದ್ರ DocType: Employee,B+,ಬಿ + DocType: HR Settings,Max working hours against Timesheet,ಮ್ಯಾಕ್ಸ್ Timesheet ವಿರುದ್ಧ ಕೆಲಸದ DocType: Maintenance Schedule Detail,Scheduled Date,ಪರಿಶಿಷ್ಟ ದಿನಾಂಕ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ಒಟ್ಟು ಪಾವತಿಸಿದ ಆಮ್ಟ್ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,ಒಟ್ಟು ಪಾವತಿಸಿದ ಆಮ್ಟ್ DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ಪಾತ್ರಗಳು ಹೆಚ್ಚು ಸಂದೇಶಗಳು ಅನೇಕ ಸಂದೇಶಗಳನ್ನು ವಿಭಜಿಸಲಾಗುವುದು DocType: Purchase Receipt Item,Received and Accepted,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಮತ್ತು Accepted ,GST Itemised Sales Register,ಜಿಎಸ್ಟಿ Itemized ಮಾರಾಟದ ನೋಂದಣಿ @@ -4264,7 +4283,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 +237,Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ವರ್ಗದಲ್ಲಿ 'ಮೌಲ್ಯಾಂಕನ' ಅಥವಾ 'Vaulation ಮತ್ತು ಒಟ್ಟು' ಆಗಿದೆ ಮಾಡಿದಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ @@ -4276,7 +4295,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","ಖರೀದಿ Reciept ಅಗತ್ಯವಿದೆ == 'ಹೌದು', ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಖರೀದಿ ರಸೀತಿ ರಚಿಸಬೇಕಾಗಿದೆ ವೇಳೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ಐಟಂ {1} ಜೋಡಿಸಲಾದ ವೆಬ್ಸೈಟ್ ಚಿತ್ರ {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.,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಅನೇಕ ಗುಂಪುಗಳಲ್ಲಿ ಈ ಐಟಂ ಪಟ್ಟಿ . @@ -4291,7 +4310,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ಇದು apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ಗೋದಾಮಿನ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ಎಲ್ಲಾ ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ ,Average Commission Rate,ಸರಾಸರಿ ಆಯೋಗದ ದರ -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ಅಟೆಂಡೆನ್ಸ್ ಭವಿಷ್ಯದ ದಿನಾಂಕ ಗುರುತಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ DocType: Pricing Rule,Pricing Rule Help,ಬೆಲೆ ನಿಯಮ ಸಹಾಯ DocType: School House,House Name,ಹೌಸ್ ಹೆಸರು @@ -4307,7 +4326,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 +339,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,ವಿಮೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ ವಿಮಾ ಅಂತಿಮ ದಿನಾಂಕ ಕಡಿಮೆ ಇರಬೇಕು @@ -4322,20 +4341,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಸಮಯ ಹಾಳೆ ದಾಖಲಿಸಿದವರು {1} DocType: Vehicle Log,Odometer,ದೂರಮಾಪಕ DocType: Sales Order Item,Ordered Qty,ಪ್ರಮಾಣ ಆದೇಶ -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ +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 +874,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 ವಿವರಗಳು apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ಸಂಬಳ ಚೂರುಗಳನ್ನು ರಚಿಸಿ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ಖರೀದಿ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ಖರೀದಿ, ಪರೀಕ್ಷಿಸಬೇಕು {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ರಿಯಾಯಿತಿ ಕಡಿಮೆ 100 ಇರಬೇಕು 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 +500,Default BOM for {0} not found,ಫಾರ್ {0} ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್ -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ರೋ # {0}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ DocType: Landed Cost Voucher,Landed Cost Voucher,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ @@ -4399,7 +4418,6 @@ DocType: Maintenance Visit,MV,ಎಂವಿ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,ನಿರೀಕ್ಷಿತ ದಿನಾಂಕ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ -DocType: Production Order,Source Warehouse (for reserving Items),ಮೂಲ ಮಳಿಗೆ (ವಸ್ತುಗಳು ಕಾಯ್ದಿರಿಸುವ ಫಾರ್) DocType: Employee Loan,Repayment Period in Months,ತಿಂಗಳಲ್ಲಿ ಮರುಪಾವತಿಯ ಅವಧಿಯ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ದೋಷ: ಮಾನ್ಯ ಐಡಿ? DocType: Naming Series,Update Series Number,ಅಪ್ಡೇಟ್ ಸರಣಿ ಸಂಖ್ಯೆ @@ -4448,7 +4466,7 @@ DocType: Production Order,Planned End Date,ಯೋಜನೆ ಅಂತಿಮ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,ಐಟಂಗಳನ್ನು ಸಂಗ್ರಹಿಸಲಾಗಿದೆ ಅಲ್ಲಿ . DocType: Request for Quotation,Supplier Detail,ಸರಬರಾಜುದಾರ ವಿವರ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ಸೂತ್ರ ಅಥವಾ ಸ್ಥಿತಿಯಲ್ಲಿ ದೋಷ: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ DocType: Attendance,Attendance,ಅಟೆಂಡೆನ್ಸ್ apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,ಸ್ಟಾಕ್ ವಸ್ತುಗಳು DocType: BOM,Materials,ಮೆಟೀರಿಯಲ್ @@ -4489,10 +4507,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,ಸೆಟಪ್ ನನ್ನ ಸಂಸ್ಥೆಗೆ ಒಂದು ಸರಳ ವೆಬ್ಸೈಟ್ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0} DocType: Item,Default Warehouse,ಡೀಫಾಲ್ಟ್ ವೇರ್ಹೌಸ್ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ಬಜೆಟ್ ಗ್ರೂಪ್ ಖಾತೆ ವಿರುದ್ಧ ನಿಯೋಜಿಸಲಾಗುವುದು ಸಾಧ್ಯವಿಲ್ಲ {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ಮೂಲ ವೆಚ್ಚ ಸೆಂಟರ್ ನಮೂದಿಸಿ @@ -4554,7 +4572,7 @@ 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 +1344,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು +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/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,ಈ ನೌಕರರ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ @@ -4562,6 +4580,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ DocType: Attendance,Employee Name,ನೌಕರರ ಹೆಸರು DocType: Sales Invoice,Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಸೆಟಪ್ ನೌಕರರ ಮಾನವ ಸಂಪನ್ಮೂಲ ವ್ಯವಸ್ಥೆ ಹೆಸರಿಸುವ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ. DocType: Leave Block List,Stop users from making Leave Applications on following days.,ಕೆಳಗಿನ ದಿನಗಳಲ್ಲಿ ಲೀವ್ ಅಪ್ಲಿಕೇಶನ್ ಮಾಡುವ ಬಳಕೆದಾರರನ್ನು ನಿಲ್ಲಿಸಿ . @@ -4584,7 +4603,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 ಓದುವಿಕೆ ,Hub,ಹಬ್ DocType: GL Entry,Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ @@ -4604,7 +4623,7 @@ DocType: POS Profile,Account for Change Amount,ಪ್ರಮಾಣ ಚೇಂ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ಸಾಲು {0}: ಪಕ್ಷದ / ಖಾತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {1} / {2} ನಲ್ಲಿ {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ DocType: Account,Stock,ಸ್ಟಾಕ್ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು" DocType: Employee,Current Address,ಪ್ರಸ್ತುತ ವಿಳಾಸ DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ನಿಗದಿಸಬಹುದು ಹೊರತು ಐಟಂ ನಂತರ ವಿವರಣೆ, ಇಮೇಜ್, ಬೆಲೆ, ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್ ಸೆಟ್ ಮಾಡಲಾಗುತ್ತದೆ ಇತ್ಯಾದಿ ಮತ್ತೊಂದು ಐಟಂ ಒಂದು ಭೇದ ವೇಳೆ" DocType: Serial No,Purchase / Manufacture Details,ಖರೀದಿ / ತಯಾರಿಕೆ ವಿವರಗಳು @@ -4643,11 +4662,12 @@ DocType: Student,Home Address,ಮನೆ ವಿಳಾಸ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ಟ್ರಾನ್ಸ್ಫರ್ ಸ್ವತ್ತು DocType: POS Profile,POS Profile,ಪಿಓಎಸ್ ವಿವರ DocType: Training Event,Event Name,ಈವೆಂಟ್ ಹೆಸರು -apps/erpnext/erpnext/config/schools.py +39,Admission,ಪ್ರವೇಶ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,ಪ್ರವೇಶ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ಪ್ರವೇಶಾತಿಯು {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} ಐಟಂ ಒಂದು ಟೆಂಪ್ಲೇಟ್ ಆಗಿದೆ, ಅದರ ರೂಪಾಂತರಗಳು ಒಂದಾಗಿದೆ ಆಯ್ಕೆ ಮಾಡಿ" DocType: Asset,Asset Category,ಆಸ್ತಿ ವರ್ಗ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ಖರೀದಿದಾರ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ DocType: SMS Settings,Static Parameters,ಸ್ಥಾಯೀ ನಿಯತಾಂಕಗಳನ್ನು DocType: Assessment Plan,Room,ಕೊಠಡಿ @@ -4656,6 +4676,7 @@ DocType: Item,Item Tax,ಐಟಂ ತೆರಿಗೆ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ಸರಬರಾಜುದಾರ ವಸ್ತು apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ಅಬಕಾರಿ ಸರಕುಪಟ್ಟಿ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ಟ್ರೆಶ್ಹೋಲ್ಡ್ {0}% ಹೆಚ್ಚು ಬಾರಿ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತದೆ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕನಿಗೆ ಗ್ರೂಪ್> ಟೆರಿಟರಿ 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,ಪ್ರಸಕ್ತ ಹಣಕಾಸಿನ ಹೊಣೆಗಾರಿಕೆಗಳು @@ -4727,6 +4748,7 @@ DocType: Leave Type,Is Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸು apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,ಸಲ್ಲಿಸಿಲ್ಲ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ ,Stock Summary,ಸ್ಟಾಕ್ ಸಾರಾಂಶ diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv index ae6d4c76c1..6c6e247458 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","중지 생산 주문이 취소 될 수 없으며, 취소 먼저 ...의 마개를 따다" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,선택 기본 공급 업체 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1} +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 +808,Invoice,송장 DocType: Maintenance Schedule Item,Periodicity,주기성 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,회계 연도는 {0} 필요 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,진행중인 작업 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,날짜를 선택하세요 DocType: Employee,Holiday List,휴일 목록 -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,회계사 +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,회계사 DocType: Cost Center,Stock User,재고 사용자 DocType: Company,Phone No,전화 번호 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,코스 스케줄 작성 : @@ -110,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 +269,Kg,KG +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,KG DocType: Student Log,Log,기록 apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,작업에 대한 열기. DocType: Item Attribute,Increment,증가 @@ -120,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 +42,Not permitted for {0},허용되지 {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,에서 항목을 가져 오기 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,항목을 찾을 수 없습니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,판매 송장 상품 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,재고 보고서 DocType: Warehouse,Warehouse Detail,창고 세부 정보 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},신용 한도는 고객에 대한 교차 된 {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","자산 레코드 항목에 대해 존재하는, 선택 해제 할 수 없습니다 "고정 자산"" +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/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,고객은 같은 이름을 가진 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},에서 {0}에 {1} DocType: Item,Copy From Item Group,상품 그룹에서 복사 DocType: Journal Entry,Opening Entry,항목 열기 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,계정 결제 만 DocType: Employee Loan,Repay Over Number of Periods,기간의 동안 수 상환 DocType: Stock Entry,Additional Costs,추가 비용 @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,부동산 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,거래명세표 +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,제약 DocType: Purchase Invoice Item,Is Fixed Asset,고정 자산입니다 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","사용 가능한 수량은 {0}, 당신은 필요가있다 {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,소모품 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,소모품 DocType: Employee,B-,비- DocType: Upload Attendance,Import Log,가져 오기 로그 DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,위의 기준에 따라 유형 제조의 자료 요청을 당겨 @@ -212,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 +143,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,예 : 기본 수학 +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/config/hr.py +214,Settings for HR Module,HR 모듈에 대한 설정 DocType: SMS Center,SMS Center,SMS 센터 @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,품목 및 가격 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},총 시간 : {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},날짜에서 회계 연도 내에 있어야합니다.날짜 가정 = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,인용 부호 DocType: Customer,Individual,개교회들과 사역들은 생겼다가 사라진다. DocType: Interest,Academics User,학사 사용자 DocType: Cheque Print Template,Amount In Figure,그림에서 양 @@ -266,7 +267,7 @@ DocType: Employee,Create User,사용자 만들기 DocType: Selling Settings,Default Territory,기본 지역 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,텔레비전 DocType: Production Order Operation,Updated via 'Time Log','소요시간 로그'를 통해 업데이트 되었습니다. -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1} DocType: Naming Series,Series List for this Transaction,이 트랜잭션에 대한 시리즈 일람 DocType: Company,Enable Perpetual Inventory,영구 인벤토리 사용 DocType: Company,Default Payroll Payable Account,기본 급여 지급 계정 @@ -274,7 +275,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 +177,For Warehouse is required before Submit,창고가 필요한 내용은 이전에 제출 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +283,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 +2256,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,담당자 이름 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 고객 그룹 @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,날짜를 완화하는 것은 가입 날짜보다 커야합니다 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 +189,Warehouse {0} does not belong to company {1},웨어 하우스는 {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 +270,Litre,리터 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,남겨 차단 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,은행 입장 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,연간 DocType: Stock Reconciliation Item,Stock Reconciliation Item,재고 조정 항목 @@ -316,7 +317,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 +316,People who teach at your organisation,조직에서 가르치는 사람들 +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,최소 주문 수량 @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,사용자가 속도를 편집 할 DocType: Item,Publish in Hub,허브에 게시 DocType: Student Admission,Student Admission,학생 입학 ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} 항목 취소 +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} 항목 취소 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,자료 요청 DocType: Bank Reconciliation,Update Clearance Date,업데이트 통관 날짜 DocType: Item,Purchase Details,구매 상세 정보 @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,함대 관리자 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,순환 참조 오류 @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,당신이 그것을 끌어 후 결제 항목이 수정되었습니다.다시 당깁니다. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력 +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,이번 주 보류중인 활동에 대한 요약 DocType: Student Applicant,Admitted,인정 DocType: Workstation,Rent Cost,임대 비용 @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% 수신 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,학생 그룹 만들기 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,이미 설치 완료! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,대변 메모 금액 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,대변 메모 금액 ,Finished Goods,완성품 DocType: Delivery Note,Instructions,지침 DocType: Quality Inspection,Inspected By,검사 @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,새로운 고객을 만들기 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,설치> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,구매 오더를 생성 ,Purchase Register,회원에게 구매 DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 설명서를 읽어 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,모든 제조 공정에 대한 글로벌 설정. DocType: Accounts Settings,Accounts Frozen Upto,까지에게 동결계정 DocType: SMS Log,Sent On,에 전송 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,속성 {0} 속성 테이블에서 여러 번 선택 +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,속성 {0} 속성 테이블에서 여러 번 선택 DocType: HR Settings,Employee record is created using selected field. , DocType: Sales Order,Not Applicable,적용 할 수 없음 apps/erpnext/erpnext/config/hr.py +70,Holiday master.,휴일 마스터. @@ -530,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 +219,List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","계정별로 분류하면, 계정을 기준으로 필터링 할 수 없습니다" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,자료 요청이 발생합니다있는 창고를 입력 해주십시오 DocType: Production Order,Additional Operating Cost,추가 운영 비용 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,화장품 -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다 DocType: Shipping Rule,Net Weight,순중량 DocType: Employee,Emergency Phone,긴급 전화 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,사다 @@ -555,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 +2428,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,세금과 요금 추가/편집 DocType: Purchase Invoice,Supplier Invoice No,공급 업체 송장 번호 DocType: Territory,For reference,참고로 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","삭제할 수 없습니다 시리얼 번호 {0}, 그것은 증권 거래에 사용되는로" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","삭제할 수 없습니다 시리얼 번호 {0}, 그것은 증권 거래에 사용되는로" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),결산 (CR) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,이동 항목 DocType: Serial No,Warranty Period (Days),보증 기간 (일) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,첫번째 회사와 파티 유형을 선택하세요 apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,금융 / 회계 연도. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,누적 값 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","죄송합니다, 시리얼 NOS는 병합 할 수 없습니다" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","죄송합니다, 시리얼 NOS는 병합 할 수 없습니다" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,확인 판매 주문 DocType: Project Task,Project Task,프로젝트 작업 ,Lead Id,리드 아이디 @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,할당 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,판매로 돌아 가기 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,참고 : 총 할당 잎 {0} 이미 승인 나뭇잎 이상이어야한다 {1} 기간 동안 +,Total Stock Summary,총 주식 요약 DocType: Announcement,Posted By,에 의해 게시 됨 DocType: Item,Delivered by Supplier (Drop Ship),공급 업체에 의해 전달 (드롭 선박) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,잠재 고객의 데이터베이스. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,고객 데이터 DocType: Quotation,Quotation To,에 견적 DocType: Lead,Middle Income,중간 소득 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),오프닝 (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,이미 다른 UOM 일부 거래 (들)을 만들었 때문에 항목에 대한 측정의 기본 단위는 {0} 직접 변경할 수 없습니다. 당신은 다른 기본 UOM을 사용하여 새 항목을 작성해야합니다. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,이미 다른 UOM 일부 거래 (들)을 만들었 때문에 항목에 대한 측정의 기본 단위는 {0} 직접 변경할 수 없습니다. 당신은 다른 기본 UOM을 사용하여 새 항목을 작성해야합니다. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,할당 된 금액은 음수 일 수 없습니다 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,회사를 설정하십시오. apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,회사를 설정하십시오. @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,석사 DocType: Assessment Plan,Maximum Assessment Score,최대 평가 점수 apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,업데이트 은행 거래 날짜 apps/erpnext/erpnext/config/projects.py +30,Time Tracking,시간 추적 +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,전송자 용 복제 DocType: Fiscal Year Company,Fiscal Year Company,회계 연도 회사 DocType: Packing Slip Item,DN Detail,DN 세부 정보 DocType: Training Event,Conference,회의 @@ -685,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 +320,Timesheet created:,작업 표 작성 : -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,싸다 DocType: GST Settings,GST Settings,GST 설정 DocType: Selling Settings,Customer Naming By,고객 이름 지정으로 @@ -715,7 +719,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 +139,Finish,끝 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,끝 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,베이스 DocType: Timesheet,Total Billed Hours,총 청구 시간 DocType: Journal Entry,Write Off Amount,금액을 상각 @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,판매자 도시 ,Absent Student Report,결석 한 학생 보고서 DocType: Email Digest,Next email will be sent on:,다음 이메일에 전송됩니다 : DocType: Offer Letter Term,Offer Letter Term,편지 기간을 제공 -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,항목 변종이있다. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,항목 변종이있다. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} 항목을 찾을 수 없습니다 DocType: Bin,Stock Value,재고 가치 apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,회사 {0} 존재하지 않습니다 @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",여러 가격 규칙은 동일한 기준으로 존재 우선 순위를 할당하여 충돌을 해결하십시오. 가격 규칙 : {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을 함께 연결되어로 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 +48,Make Timesheet,표 만들기 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -859,13 +863,13 @@ 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,가족 배경 DocType: Request for Quotation Supplier,Send Email,이메일 보내기 -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},경고 : 잘못된 첨부 파일 {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,아무 권한이 없습니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},경고 : 잘못된 첨부 파일 {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,아무 권한이 없습니다 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 +269,Nos,NOS +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} 제출해야합니다 @@ -885,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} {문서 타입} {DOCNAME} 위에 존재하지 않는 '{문서 타입}'테이블 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,감가 상각 누계액 열기 @@ -973,14 +977,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} 취소" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},일련 번호 {0} 항목에 속하지 않는 {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},일련 번호 {0} 항목에 속하지 않는 {1} DocType: Purchase Receipt Item Supplied,Required Qty,필요한 수량 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,기존 거래와 창고가 원장으로 변환 할 수 없습니다. DocType: Bank Reconciliation,Total Amount,총액 @@ -997,7 +1001,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,구성 요소들 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},상품에 자산 카테고리를 입력하세요 {0} DocType: Quality Inspection Reading,Reading 6,6 읽기 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,하지 {0} {1} {2}없이 음의 뛰어난 송장 수 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,하지 {0} {1} {2}없이 음의 뛰어난 송장 수 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} @@ -1011,12 +1015,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 +731,New Sales Invoice,새로운 판매 송장 +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,동기화 오프라인 송장 +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,동기화 오프라인 송장 DocType: Payment Request,Paid,지불 DocType: Program Fee,Program Fee,프로그램 비용 DocType: Salary Slip,Total in words,즉 전체 @@ -1049,10 +1053,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,화학 DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,이 모드를 선택하면 기본 은행 / 현금 계정이 자동으로 급여 업무 일지 항목에 업데이트됩니다. DocType: BOM,Raw Material Cost(Company Currency),원료 비용 (기업 통화) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,모든 항목은 이미 생산 주문에 대한 전송되었습니다. +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 +270,Meter,미터 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,미터 DocType: Workstation,Electricity Cost,전기 비용 DocType: HR Settings,Don't send Employee Birthday Reminders,직원 생일 알림을 보내지 마십시오 DocType: Item,Inspection Criteria,검사 기준 @@ -1075,7 +1079,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 +452,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,잔액 대출 금액 @@ -1083,7 +1087,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 +259,Qty for {0},대한 수량 {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,차단 목록 날짜를 남겨 @@ -1095,9 +1099,9 @@ DocType: Purchase Invoice,Cash/Bank Account,현금 / 은행 계좌 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},지정하여 주시기 바랍니다 {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,양 또는 값의 변화없이 제거 항목. DocType: Delivery Note,Delivery To,에 배달 -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,속성 테이블은 필수입니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,속성 테이블은 필수입니다 DocType: Production Planning Tool,Get Sales Orders,판매 주문을 받아보세요 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} 음수가 될 수 없습니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} 음수가 될 수 없습니다 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,할인 DocType: Asset,Total Number of Depreciations,감가 상각의 총 수 DocType: Sales Invoice Item,Rate With Margin,이익률 @@ -1134,7 +1138,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 +1546,ZIP Code,우편 번호 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,재고 항목 만들기 @@ -1153,7 +1157,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),최소 납기 (일) @@ -1178,7 +1182,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,분배 자 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,쇼핑 카트 배송 규칙 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,생산 순서는 {0}이 판매 주문을 취소하기 전에 취소해야합니다 -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',설정 '에 추가 할인을 적용'하세요 +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,범위이어야한다보다는에게 범위 DocType: Global Defaults,Global Defaults,글로벌 기본값 @@ -1186,10 +1190,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN의 처음 2 자리 숫자는 주 번호 {0}과 일치해야합니다. +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,용량 계획 오류 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,용량 계획 오류 ,Trial Balance for Party,파티를위한 시산표 DocType: Lead,Consultant,컨설턴트 DocType: Salary Slip,Earnings,당기순이익 @@ -1208,7 +1212,7 @@ DocType: Purchase Invoice,Is Return,돌아가요 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,반품 / 직불 참고 DocType: Price List Country,Price List Country,가격 목록 나라 DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},항목에 대한 {0} 유효한 일련 NOS {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},항목에 대한 {0} 유효한 일련 NOS {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,상품 코드 일련 번호 변경할 수 없습니다 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS 프로필 {0} 이미 사용자 생성 : {1}과 회사 {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM 변환 계수 @@ -1218,7 +1222,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 +675,Cost Center For Item with Item Code ','상품 코드와 항목에 대한 센터 비용 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","또한 계정의 그룹에서 제조 될 수 있지만, 항목은 비 - 그룹에 대해 만들어 질 수있다" @@ -1261,7 +1265,7 @@ 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,보기 원장 DocType: Grading Scale,Intervals,간격 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,처음 -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오 +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,항목 {0} 배치를 가질 수 없습니다 @@ -1290,7 +1294,7 @@ 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 +288,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사 +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사 DocType: Purchase Invoice,Rejected Warehouse,거부 창고 DocType: GL Entry,Against Voucher,바우처에 대한 DocType: Item,Default Buying Cost Center,기본 구매 비용 센터 @@ -1301,7 +1305,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,판매 주문 {0} 유효하지 않습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1319,14 +1323,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,문제의 장소 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,계약직 DocType: Email Digest,Add Quote,견적 추가 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1} 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 +736,Sync Master Data,싱크 마스터 데이터 -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,귀하의 제품이나 서비스 +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,귀하의 제품이나 서비스 DocType: Mode of Payment,Mode of Payment,결제 방식 -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다 +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,이 루트 항목 그룹 및 편집 할 수 없습니다. @@ -1344,14 +1348,13 @@ 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 +562,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","가격 규칙은 첫 번째 항목, 항목 그룹 또는 브랜드가 될 수있는 필드 '에 적용'에 따라 선택됩니다." 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해야한다 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},생산 오더의 상태는 {0} DocType: Appraisal Goal,Goal,골 DocType: Sales Invoice Item,Edit Description,편집 설명 ,Team Updates,팀 업데이트 @@ -1367,14 +1370,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,아이웨어 하우스는이웨어 하우스에 대한 필요성이 존재한다. 이웨어 하우스를 삭제할 수 없습니다. DocType: Item,Website Item Groups,웹 사이트 상품 그룹 DocType: Purchase Invoice,Total (Company Currency),총 (회사 통화) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,일련 번호 {0} 번 이상 입력 +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 +78,{0} items in progress,진행중인 {0} 항목 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,이것은이 접두사를 마지막으로 생성 된 트랜잭션의 수입니다 @@ -1433,7 +1436,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,부트 스트랩 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,7 +1448,7 @@ 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 +260,Max: {0},최대 : {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,통신 로그. @@ -1456,7 +1458,7 @@ DocType: Sales Invoice,Shipping Address Name,배송 주소 이름 apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,계정 차트 DocType: Material Request,Terms and Conditions Content,약관 내용 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100보다 큰 수 없습니다 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다 DocType: Maintenance Visit,Unscheduled,예약되지 않은 DocType: Employee,Owned,소유 DocType: Salary Detail,Depends on Leave Without Pay,무급 휴가에 따라 다름 @@ -1488,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 +273,We buy this Item,우리는이 품목을 구매 +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 잔액을보기 @@ -1499,7 +1501,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 +266,Sub Assemblies,서브 어셈블리 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,서브 어셈블리 DocType: Asset,Asset Name,자산 이름 DocType: Project,Task Weight,작업 무게 DocType: Shipping Rule Condition,To Value,값 @@ -1532,12 +1534,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,소스 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 +239,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,지불 테이블에있는 레코드 없음 apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},이 {0} 충돌 {1}의 {2} {3} DocType: Student Attendance Tool,Students HTML,학생들 HTML DocType: POS Profile,Apply Discount,할인 적용 -DocType: Purchase Invoice Item,GST HSN Code,GST HSN 코드 +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 +283,Packing Slip(s) cancelled,포장 명세서 (들) 취소 @@ -1580,8 +1582,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 +2573,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요 -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,상자 +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 +873,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,수신기 목록이 비어 있습니다.수신기 목록을 만드십시오 @@ -1611,7 +1613,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,상환 방법 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",선택하면 홈 페이지는 웹 사이트에 대한 기본 항목 그룹이 될 것입니다 DocType: Quality Inspection Reading,Reading 4,4 읽기 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} 프로젝트 찾을 수 없습니다에 대한 기본 BOM {1} 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} @@ -1628,29 +1629,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,새 작업 apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,견적 확인 apps/erpnext/erpnext/config/selling.py +216,Other Reports,기타 보고서 DocType: Dependent Task,Dependent Task,종속 작업 -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},측정의 기본 단위에 대한 변환 계수는 행에 반드시 1이 {0} +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 일에 대한 작업을 계획 해보십시오. 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} DocType: SMS Center,Receiver List,수신기 목록 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,검색 항목 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,이미 완료 +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/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 +263,Quantity must not be more than {0},수량 이하이어야한다 {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,계정 이름 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,날짜에서 날짜보다 클 수 없습니다 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다 apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,공급 유형 마스터. 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이 될 수 없습니다 @@ -1658,6 +1659,7 @@ 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: Delivery Note,Vehicle Dispatch Date,차량 파견 날짜 +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지 DocType: Company,Default Payable Account,기본 지불 계정 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","이러한 운송 규칙, 가격 목록 등 온라인 쇼핑 카트에 대한 설정" @@ -1714,7 +1716,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,잎으로 잎에서 DocType: Sales Invoice,Packed Items,포장 항목 apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,일련 번호에 대한 보증 청구 DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","그것을 사용하는 다른 모든 BOM을의 특정 BOM을 교체합니다.또한, 기존의 BOM 링크를 교체 비용을 업데이트하고 새로운 BOM에 따라 ""BOM 폭발 항목""테이블을 다시 생성" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','합계' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','합계' DocType: Shopping Cart Settings,Enable Shopping Cart,장바구니 사용 DocType: Employee,Permanent Address,영구 주소 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1750,6 +1752,7 @@ DocType: Material Request,Transferred,이전 됨 DocType: Vehicle,Doors,문 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext 설치가 완료! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오 @@ -1769,7 +1772,7 @@ 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 +699,Offline,오프라인 +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,작업에 대한 신청자 @@ -1786,7 +1789,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,주요 기능 apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,변체 DocType: Naming Series,Set prefix for numbering series on your transactions,트랜잭션에 일련 번호에 대한 설정 접두사 DocType: Employee Attendance Tool,Employees HTML,직원 HTML을 -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다 DocType: Employee,Leave Encashed?,Encashed 남겨? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,필드에서 기회는 필수입니다 DocType: Email Digest,Annual Expenses,연간 비용 @@ -1799,7 +1802,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 +175,Work-in-Progress Warehouse is required before Submit,작업중인 창고는 제출하기 전에 필요 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,법정 정보 및 공급 업체에 대한 다른 일반적인 정보 @@ -1809,7 +1812,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,학생 그룹의 힘 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,저널에 대하여 항목 {0} 어떤 타의 추종을 불허 {1} 항목이없는 apps/erpnext/erpnext/config/hr.py +137,Appraisals,감정 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},중복 된 일련 번호는 항목에 대해 입력 {0} +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}. 과다 청구를 허용하려면 설정을 구매에서 설정하시기 바랍니다 @@ -1818,7 +1821,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM은 {0} 제출해야합니다 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,지불 @@ -1837,12 +1840,12 @@ 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 +257,"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 +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.","귀하의 제품이나 제품을 구매하거나 판매하는 서비스를 나열합니다.당신이 시작할 때 항목 그룹, 측정 및 기타 속성의 단위를 확인해야합니다." 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: Asset Movement,Asset Movement,자산 이동 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,새로운 장바구니 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,7 +1871,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,구매 영수증에서 항목 가져 오기 DocType: Serial No,Creation Date,만든 날짜 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} 항목을 가격 목록에 여러 번 나타납니다 {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","해당 법령에가로 선택된 경우 판매, 확인해야합니다 {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","해당 법령에가로 선택된 경우 판매, 확인해야합니다 {0}" DocType: Production Plan Material Request,Material Request Date,자료 요청 날짜 DocType: Purchase Order Item,Supplier Quotation Item,공급 업체의 견적 상품 DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,생산 오더에 대한 시간 로그의 생성을 사용하지 않습니다. 작업은 생산 오더에 대해 추적 할 수 없다 @@ -1885,12 +1888,12 @@ DocType: Supplier,Supplier of Goods or Services.,제품 또는 서비스의 공 DocType: Budget,Fiscal Year,회계 연도 DocType: Vehicle Log,Fuel Price,연료 가격 DocType: Budget,Budget,예산 -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,고정 자산 항목은 재고 항목 있어야합니다. +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 +209,e.g. 5,예) 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1902,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 +263,A Product or Service,제품 또는 서비스 +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,현재 값 @@ -1975,7 +1978,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,페어링 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,페어링 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택 DocType: Asset,Depreciation Schedule,감가 상각 일정 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,영업 파트너 주소 및 연락처 @@ -1994,10 +1997,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},항목에 대한 항목을 마스터에 언급되지 않은 항목 그룹 {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다 +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,차변계정은 채권 계정이어야합니다 DocType: Shipping Rule Condition,Shipping Amount,배송 금액 -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,고객 추가 +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,배달 @@ -2014,6 +2017,7 @@ DocType: Journal Entry,Accounts Receivable,미수금 ,Supplier-Wise Sales Analytics,공급 업체별 판매 분석 apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,유료 금액을 입력 DocType: Salary Structure,Select employees for current Salary Structure,현재의 급여 구조를 선택합니다 직원 +DocType: Sales Invoice,Company Address Name,회사 주소 이름 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)",학부모 과정 (학부모 과정에 포함되지 않은 경우 비워 둡니다) @@ -2034,7 +2038,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 +269,Unit,단위 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,당신이 거부 된 품목의 재고를 유지하고 창고 @@ -2056,7 +2060,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","행 번호 {0} 참조 문서 형식은 판매 주문 중 하나, 판매 송장 또는 분개해야합니다" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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} : 시간에서와 시간은 필수입니다. DocType: Stock Reconciliation Item,Amount Difference,금액 차이 @@ -2065,7 +2069,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,지역별 고객의 분류 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,차이 금액이 0이어야합니다 DocType: Project,Gross Margin,매출 총 이익률 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,첫 번째 생산 품목을 입력하십시오 +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 +748,Quotation,인용 @@ -2077,7 +2081,7 @@ 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: Opportunity,Customer / Lead Address,고객 / 리드 주소 -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},경고 : 첨부 파일에 잘못된 SSL 인증서 {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},경고 : 첨부 파일에 잘못된 SSL 인증서 {0} DocType: Student Admission,Eligibility,적임 apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","리드는 당신이 사업은, 모든 연락처 등을 리드로 추가하는 데 도움" DocType: Production Order Operation,Actual Operation Time,실제 작업 시간 @@ -2096,11 +2100,11 @@ DocType: Appraisal,Calculate Total Score,총 점수를 계산 DocType: Request for Quotation,Manufacturing Manager,제조 관리자 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},일련 번호는 {0}까지 보증 {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,패키지로 배달 주를 분할합니다. -apps/erpnext/erpnext/hooks.py +87,Shipments,선적 +apps/erpnext/erpnext/hooks.py +94,Shipments,선적 DocType: Payment Entry,Total Allocated Amount (Company Currency),총 할당 된 금액 (회사 통화) DocType: Purchase Order Item,To be delivered to customer,고객에게 전달 될 DocType: BOM,Scrap Material Cost,스크랩 재료 비용 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,일련 번호 {0} 어떤 창고에 속하지 않는 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,일련 번호 {0} 어떤 창고에 속하지 않는 DocType: Purchase Invoice,In Words (Company Currency),단어 (회사 통화)에서 DocType: Asset,Supplier,공급 업체 DocType: C-Form,Quarter,지구 @@ -2115,11 +2119,10 @@ DocType: Leave Application,Total Leave Days,총 허가 일 DocType: Email Digest,Note: Email will not be sent to disabled users,참고 : 전자 메일을 사용할 사용자에게 전송되지 않습니다 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,상호 작용 수 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,상호 작용 수 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 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 +408,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","이어야 한 행에 할당 된 금액, 송장 유형 및 송장 번호를 선택하세요" @@ -2163,7 +2166,8 @@ 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,최고 경영자 DocType: Expense Claim Detail,Expense Claim Detail,비용 청구 상세 정보 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,올바른 계정을 선택하세요 +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,공급 업체를위한 TRIPLICATE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,올바른 계정을 선택하세요 DocType: Item,Weight UOM,무게 UOM DocType: Salary Structure Employee,Salary Structure Employee,급여 구조의 직원 DocType: Employee,Blood Group,혈액 그룹 @@ -2185,7 +2189,7 @@ DocType: Student,Guardians,보호자 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 +336,Debit To is required,직불 카드에 대한이 필요합니다 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,행사 기간 @@ -2198,7 +2202,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},총 미지급 : {0 DocType: BOM Website Operation,BOM Website Operation,BOM 웹 사이트 운영 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,편지를 제공 apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,자료 요청 (MRP) 및 생산 오더를 생성합니다. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,총 청구 AMT 사의 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,총 청구 AMT 사의 DocType: BOM,Conversion Rate,전환율 apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,제품 검색 DocType: Timesheet Detail,To Time,시간 @@ -2213,7 +2217,7 @@ 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}을 (를) 업데이트 할 수 없습니다. 재고 항목을 사용하십시오. DocType: Training Event Employee,Training Event Employee,교육 이벤트 직원 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} 항목에 필요한 일련 번호 {1}. 당신이 제공 한 {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} 항목에 필요한 일련 번호 {1}. 당신이 제공 한 {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,현재 평가 비율 DocType: Item,Customer Item Codes,고객 상품 코드 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,교환 이득 / 손실 @@ -2259,7 +2263,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 +2454,Select Batch No,배치 번호 선택 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,19 +2287,19 @@ DocType: Leave Block List,Allow Users,사용자에게 허용 DocType: Purchase Order,Customer Mobile No,고객 모바일 없음 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,별도의 소득을 추적하고 제품 수직 또는 부서에 대한 비용. DocType: Rename Tool,Rename Tool,이름바꾸기 툴 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,업데이트 비용 +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 +438,Show Salary Slip,쇼 급여 슬립 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,저장 한 후 반복 설정하십시오 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,선택 변화량 계정 +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,저장 한 후 반복 설정하십시오 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,세금 추가 +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,예산 계정 @@ -2306,6 +2310,7 @@ DocType: Stock Entry,Purchase Receipt No,구입 영수증 없음 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,계약금 DocType: Process Payroll,Create Salary Slip,급여 슬립을 만듭니다 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,추적 +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC 코드 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,종업원 @@ -2335,7 +2340,7 @@ DocType: Employee Education,Post Graduate,졸업 후 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,유지 보수 일정의 세부 사항 DocType: Quality Inspection Reading,Reading 9,9 읽기 DocType: Supplier,Is Frozen,동결 -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,그룹 노드웨어 하우스는 트랜잭션을 선택 할 수 없습니다 +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,그룹 노드웨어 하우스는 트랜잭션을 선택 할 수 없습니다 DocType: Buying Settings,Buying Settings,구매 설정 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,완제품 항목에 대한 BOM 번호 DocType: Upload Attendance,Attendance To Date,날짜 출석 @@ -2351,13 +2356,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다 +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,수량 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},항목에 대한 계획 수량을 입력하십시오 {0} 행에서 {1} @@ -2379,7 +2384,7 @@ DocType: Authorization Rule,Authorized Value,공인 값 DocType: BOM,Show Operations,보기 운영 ,Minutes to First Response for Opportunity,기회에 대한 첫 번째 응답에 분 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,총 결석 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다 apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,측정 단위 DocType: Fiscal Year,Year End Date,연도 종료 날짜 DocType: Task Depends On,Task Depends On,작업에 따라 다릅니다 @@ -2470,7 +2475,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},더 많은 항목을 생성 할 수 없습니다 {0}보다 판매 주문 수량 {1} +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/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,다음으로 연락으로는 리드 이메일 주소와 동일 할 수 없습니다 @@ -2568,9 +2573,9 @@ 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 +789,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,참조 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,참조 DocType: Budget,Cost Center,비용 센터 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,상품권 # DocType: Notification Control,Purchase Order Message,구매 주문 메시지 @@ -2586,7 +2591,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 +1165,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다 +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,재고 설정 @@ -2605,7 +2610,7 @@ DocType: Project,Task Completion,작업 완료 apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,재고에 DocType: Appraisal,HR User,HR 사용자 DocType: Purchase Invoice,Taxes and Charges Deducted,차감 세금과 요금 -apps/erpnext/erpnext/hooks.py +116,Issues,문제 +apps/erpnext/erpnext/hooks.py +124,Issues,문제 apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},상태 중 하나 여야합니다 {0} DocType: Sales Invoice,Debit To,To 직불 DocType: Delivery Note,Required only for sample item.,단지 샘플 항목에 필요합니다. @@ -2634,6 +2639,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,국가 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,언급 해주십시오 필요한 방문 없음 DocType: Stock Settings,Default Valuation Method,기본 평가 방법 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,보수 DocType: Vehicle Log,Fuel Qty,연료 수량 DocType: Production Order Operation,Planned Start Time,계획 시작 시간 DocType: Course,Assessment,평가 @@ -2643,12 +2649,12 @@ 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 +149,Quotation {0} is cancelled,견적 {0} 취소 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,총 발행 금액 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,총 발행 금액 DocType: Sales Partner,Targets,대상 DocType: Price List,Price List Master,가격 목록 마스터 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,당신이 설정 한 목표를 모니터링 할 수 있도록 모든 판매 트랜잭션은 여러 ** 판매 사람 **에 태그 할 수 있습니다. ,S.O. No.,SO 번호 -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},리드에서 고객을 생성 해주세요 {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},리드에서 고객을 생성 해주세요 {0} DocType: Price List,Applicable for Countries,국가에 대한 적용 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,만 제출할 수 있습니다 '거부' '승인'상태와 응용 프로그램을 남겨주세요 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},학생 그룹 이름은 행의 필수 {0} @@ -2698,6 +2704,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/config/hr.py +163,Define various loan types,다양한 대출 유형을 정의 DocType: Bin,FCFS Rate,FCFS 평가 DocType: Payment Reconciliation Invoice,Outstanding Amount,잔액 @@ -2740,8 +2747,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,제조에 대한 자료 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.,할인 비율은 가격 목록에 대해 또는 전체 가격 목록에 하나를 적용 할 수 있습니다. DocType: Purchase Invoice,Half-yearly,반년마다 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,재고에 대한 회계 항목 +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,이미 평가 기준 {}을 (를) 평가했습니다. DocType: Vehicle Service,Engine Oil,엔진 오일 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네임 시스템 설정 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,고객 주소 @@ -2769,7 +2776,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,조직에 속한 계정의 별도의 차트와 법인 / 자회사. DocType: Payment Request,Mute Email,음소거 이메일 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","음식, 음료 및 담배" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,수수료율은 100보다 큰 수 없습니다 DocType: Stock Entry,Subcontract,하청 apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,첫 번째 {0}을 입력하세요 @@ -2797,7 +2804,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,학생 월별 출석 시트 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},직원 {0}이 (가) 이미 사이에 {1}를 신청했다 {2}와 {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,프로젝트 시작 날짜 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,까지 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,까지 DocType: Rename Tool,Rename Log,로그인에게 이름 바꾸기 apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,학생 그룹 또는 코스 일정은 필수 apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,학생 그룹 또는 코스 일정은 필수 @@ -2822,7 +2829,7 @@ DocType: Purchase Order Item,Returned Qty,반품 수량 DocType: Employee,Exit,닫기 apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,루트 유형이 필수입니다 DocType: BOM,Total Cost(Company Currency),총 비용 (기업 통화) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,일련 번호 {0} 생성 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,일련 번호 {0} 생성 DocType: Homepage,Company Description for website homepage,웹 사이트 홈페이지에 대한 회사 설명 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","고객의 편의를 위해, 이러한 코드는 송장 배송 메모와 같은 인쇄 포맷으로 사용될 수있다" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier 이름 @@ -2843,7 +2850,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS 게이트웨이 URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,코스 스케줄 삭제 : apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS 전달 상태를 유지하기위한 로그 DocType: Accounts Settings,Make Payment via Journal Entry,분개를 통해 결제하기 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,인쇄에 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,인쇄에 DocType: Item,Inspection Required before Delivery,검사 배달 전에 필수 DocType: Item,Inspection Required before Purchase,검사 구매하기 전에 필수 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,보류 활동 @@ -2875,9 +2882,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,학생 배 apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,한계를 넘어 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,이 '학년'과 학술 용어는 {0}과 '기간 이름'{1} 이미 존재합니다. 이 항목을 수정하고 다시 시도하십시오. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","항목 {0}에 대한 기존의 트랜잭션이, 당신은의 값을 변경할 수 없습니다 {1}" +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}","항목 {0}에 대한 기존의 트랜잭션이, 당신은의 값을 변경할 수 없습니다 {1}" DocType: UOM,Must be Whole Number,전체 숫자 여야합니다 DocType: Leave Control Panel,New Leaves Allocated (In Days),(일) 할당 된 새로운 잎 +DocType: Sales Invoice,Invoice Copy,송장 사본 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,일련 번호 {0}이 (가) 없습니다 DocType: Sales Invoice Item,Customer Warehouse (Optional),고객웨어 하우스 (선택 사항) DocType: Pricing Rule,Discount Percentage,할인 비율 @@ -2923,8 +2931,10 @@ 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 +305,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,누적 감가 상각 계정 DocType: Stock Settings,Freeze Stock Entries,동결 재고 항목 +DocType: Program Enrollment,Boarding Student,기숙 학생 DocType: Asset,Expected Value After Useful Life,내용 연수 후 예상 값 DocType: Item,Reorder level based on Warehouse,웨어 하우스를 기반으로 재정렬 수준 DocType: Activity Cost,Billing Rate,결제 비율 @@ -2952,11 +2962,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,활동 기반 그룹을 위해 학생들을 수동으로 선택하십시오. DocType: Journal Entry,User Remark,사용자 비고 DocType: Lead,Market Segment,시장 세분 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},지불 금액은 총 음의 뛰어난 금액보다 클 수 없습니다 {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},지불 금액은 총 음의 뛰어난 금액보다 클 수 없습니다 {0} DocType: Employee Internal Work History,Employee Internal Work History,직원 내부 작업 기록 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),결산 (박사) DocType: Cheque Print Template,Cheque Size,수표 크기 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,일련 번호 {0} 재고가없는 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,일련 번호 {0} 재고가없는 apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,거래를 판매에 대한 세금 템플릿. DocType: Sales Invoice,Write Off Outstanding Amount,잔액을 떨어져 쓰기 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},계정 {0}이 회사 {1}과 (과) 일치하지 않습니다. @@ -2981,7 +2991,7 @@ 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 +348,Add a few sample records,몇 가지 샘플 레코드 추가 +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,완전 배달 @@ -2995,17 +3005,17 @@ 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 +418,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,고객의 구매 주문 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,일련 번호 및 배치 DocType: Warranty Claim,From Company,회사에서 -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,평가 기준의 점수의 합 {0} 할 필요가있다. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,평가 기준의 점수의 합 {0} 할 필요가있다. 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 +270,Minute,분 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,분 DocType: Purchase Invoice,Purchase Taxes and Charges,구매 세금과 요금 ,Qty to Receive,받도록 수량 DocType: Leave Block List,Leave Block List Allowed,차단 목록은 허용 남겨 @@ -3026,7 +3036,7 @@ DocType: Production Order,PRO-,찬성- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,당좌 차월 계정 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,급여 슬립을 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,행 번호 {0} : 할당 된 금액은 미납 금액을 초과 할 수 없습니다. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,찾아 BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,찾아 BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,보안 대출 DocType: Purchase Invoice,Edit Posting Date and Time,편집 게시 날짜 및 시간 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},자산 카테고리 {0} 또는 회사의 감가 상각 관련 계정을 설정하십시오 {1} @@ -3042,7 +3052,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 +278,Select Quantity,수량 선택 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,이 이메일 다이제스트 수신 거부 @@ -3065,6 +3075,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},이상 재고 거래는 이전 업데이트 할 수 없습니다 {0} DocType: Purchase Invoice Item,PR Detail,PR의 세부 사항 DocType: Sales Order,Fully Billed,완전 청구 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,공급 업체> 공급 업체 유형 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 +127,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),패키지의 총 무게.보통 그물 무게 + 포장 재료의 무게. (프린트) @@ -3103,8 +3114,9 @@ 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} 제출되지 DocType: Customs Tariff Number,Tariff Number,관세 번호 +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP 창고에서 사용 가능한 수량 apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,예상 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},일련 번호 {0} 창고에 속하지 않는 {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},일련 번호 {0} 창고에 속하지 않는 {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,주 : 시스템이 항목에 대한 납품에 이상 - 예약 확인하지 않습니다 {0} 수량 또는 금액으로 0이됩니다 DocType: Notification Control,Quotation Message,견적 메시지 DocType: Employee Loan,Employee Loan Application,직원 대출 신청 @@ -3123,13 +3135,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,착륙 비용 바우처 금액 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,공급 업체에 의해 제기 된 지폐입니다. DocType: POS Profile,Write Off Account,감액계정 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,차변 메모 Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,차변 메모 Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,할인 금액 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 +207,e.g. VAT,예) VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,하위 계약 @@ -3137,7 +3149,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 +1945,Please select customer,고객을 선택하세요 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,고객을 선택하세요 DocType: C-Form,I,나는 DocType: Company,Asset Depreciation Cost Center,자산 감가 상각 비용 센터 DocType: Sales Order Item,Sales Order Date,판매 주문 날짜 @@ -3166,7 +3178,7 @@ DocType: Lead,Address Desc,제품 설명에게 주소 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,파티는 필수입니다 DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,항목 이름 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,판매 또는 구매의이어야 하나를 선택해야합니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,판매 또는 구매의이어야 하나를 선택해야합니다 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,비즈니스의 성격을 선택합니다. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},행 # {0} : 참조 {1}에 중복 항목이 있습니다. {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,제조 작업은 어디를 수행한다. @@ -3175,7 +3187,7 @@ 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} DocType: Employee,Confirmation Date,확인 일자 DocType: C-Form,Total Invoiced Amount,총 송장 금액 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다 DocType: Account,Accumulated Depreciation,감가 상각 누계액 DocType: Stock Entry,Customer or Supplier Details,"고객, 공급 업체의 자세한 사항" DocType: Employee Loan Application,Required by Date,날짜에 필요한 @@ -3204,10 +3216,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,구매 주문 apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,회사 이름은 회사가 될 수 없습니다 apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,인쇄 템플릿에 대한 편지 머리. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,인쇄 템플릿의 제목은 형식 상 청구서를 예. +DocType: Program Enrollment,Walking,보행 DocType: Student Guardian,Student Guardian,가디언 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,평가 유형 요금은 포괄적으로 표시 할 수 없습니다 DocType: POS Profile,Update Stock,재고 업데이트 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,공급 업체> 공급 업체 유형 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,항목에 대해 서로 다른 UOM가 잘못 (총) 순 중량 값으로 이어질 것입니다.각 항목의 순 중량이 동일한 UOM에 있는지 확인하십시오. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM 평가 DocType: Asset,Journal Entry for Scrap,스크랩에 대한 분개 @@ -3261,7 +3273,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,쇼 세금 해체 apps/erpnext/erpnext/accounts/party.py +308,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,어떤 학생들은 찾을 수 없음 @@ -3281,14 +3292,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,학생 없음 +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 +108,Please enter 'Expected Delivery Date','예상 배달 날짜'를 입력하십시오 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,등록되지 않은 GSTIN이 잘못되었거나 NA 입력 +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3329,23 @@ DocType: Sales Team,Contribution (%),기여도 (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,참고 : 결제 항목이 '현금 또는 은행 계좌'이 지정되지 않았기 때문에 생성되지 않습니다 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,책임 DocType: Expense Claim Account,Expense Claim Account,경비 청구서 계정 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. 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,사용자 추가 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 수 없습니다. DocType: Stock Reconciliation Item,Before reconciliation,계정조정전 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},에 {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),추가 세금 및 수수료 (회사 통화) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다 DocType: Sales Order,Partly Billed,일부 청구 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,항목 {0} 고정 자산 항목이어야합니다 DocType: Item,Default BOM,기본 BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,차변 메모 금액 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,차변 메모 금액 apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,다시 입력 회사 이름은 확인하시기 바랍니다 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,총 발행 AMT 사의 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,총 발행 AMT 사의 DocType: Journal Entry,Printing Settings,인쇄 설정 DocType: Sales Invoice,Include Payment (POS),지불을 포함 (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},총 직불 카드는 전체 신용 동일해야합니다.차이는 {0} @@ -3340,20 +3353,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,자동 DocType: Vehicle,Insurance Company,보험 회사 DocType: Asset Category Account,Fixed Asset Account,고정 자산 계정 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,변하기 쉬운 -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,배달 주에서 +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,배달 주에서 DocType: Student,Student Email Address,학생 이메일 주소 DocType: Timesheet Detail,From Time,시간에서 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,재고: DocType: Notification Control,Custom Message,사용자 지정 메시지 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,투자 은행 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,설치> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오. apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,학생 주소 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,학생 주소 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 +1517,Address Name,주소 명 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,주소 명 DocType: Stock Entry,From BOM,BOM에서 DocType: Assessment Code,Assessment Code,평가 코드 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,기본 @@ -3370,7 +3382,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다. +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/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,월별 상환 금액은 대출 금액보다 클 수 없습니다 @@ -3378,7 +3390,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,입력 값은 양수 여야합니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,학생이 이미 등록되어 있습니다. @@ -3387,7 +3399,7 @@ DocType: Process Payroll,Process Payroll,프로세스 급여 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,이번 달 작업 일 이상 휴일이 있습니다. DocType: Product Bundle Item,Product Bundle Item,번들 제품 항목 DocType: Sales Partner,Sales Partner Name,영업 파트너 명 -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,견적 요청 +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,견적 요청 DocType: Payment Reconciliation,Maximum Invoice Amount,최대 송장 금액 DocType: Student Language,Student Language,학생 언어 apps/erpnext/erpnext/config/selling.py +23,Customers,고객 @@ -3398,7 +3410,7 @@ DocType: Asset,Partially Depreciated,부분적으로 상각 DocType: Issue,Opening Time,영업 시간 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,일자 및 끝 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,증권 및 상품 교환 -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 '{0}'템플릿에서와 동일해야합니다 '{1}' +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 +847,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다 @@ -3417,7 +3429,7 @@ 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 +266,Raw Material,원료 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,할인 금액 후 세액 @@ -3429,7 +3441,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,날짜를 열기 날짜를 닫기 전에해야 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오. 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.,휴일이 부서 차단하는 일. @@ -3442,8 +3453,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리는 '평가'또는 '평가 및 전체'에 대한 때 공제 할 수 없습니다 -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0} +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/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,송장과 일치 결제 DocType: Journal Entry,Bank Entry,은행 입장 DocType: Authorization Rule,Applicable To (Designation),에 적용 (지정) @@ -3460,7 +3471,7 @@ 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 +270,Hour,시간 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,당신은 블록 날짜에 잎을 승인 할 수있는 권한이 없습니다 @@ -3470,7 +3481,7 @@ 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 +645,Point of Sale,판매 시점 +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,판매 시점 DocType: Payment Entry,Received Amount,받은 금액 DocType: GST Settings,GSTIN Email Sent On,GSTIN 이메일 전송 DocType: Program Enrollment,Pick/Drop by Guardian,Guardian의 선택 / 드롭 @@ -3487,8 +3498,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 +270,Gram,그램 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다. +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/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 % 허용된다. @@ -3514,14 +3525,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 +465,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,여러 직원 마크 출석 @@ -3553,7 +3564,7 @@ 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 +436,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,결제 주 @@ -3601,7 +3612,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},잘못된 속성 {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','모든 평가 그룹'이외의 평가 그룹을 선택하십시오. @@ -3703,16 +3714,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,급여의 구성 요소 DocType: Program Enrollment Tool,New Academic Year,새 학년 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,반품 / 신용 참고 DocType: Stock Settings,Auto insert Price List rate if missing,자동 삽입 가격표 속도없는 경우 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,총 지불 금액 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,총 지불 금액 DocType: Production Order Item,Transferred Qty,수량에게 전송 apps/erpnext/erpnext/config/learn.py +11,Navigating,탐색 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 +272,We sell this Item,우리는이 품목을 +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,샘플 데이터 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,하프 데이 데이트 @@ -3760,7 +3773,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 +1186,Please set Company,회사를 설정하십시오. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,회사를 설정하십시오. DocType: Pricing Rule,Buying,구매 DocType: HR Settings,Employee Records to be created by,직원 기록에 의해 생성되는 DocType: POS Profile,Apply Discount On,할인에 적용 @@ -3777,13 +3790,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,수수료를 수집 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1} DocType: Lead,Add to calendar on this date,이 날짜에 캘린더에 추가 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,비용을 추가하는 규칙. DocType: Item,Opening Stock,열기 증권 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,고객이 필요합니다 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} 반환을위한 필수입니다 DocType: Purchase Order,To Receive,받다 +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,개인 이메일 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,총 분산 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","활성화되면, 시스템이 자동으로 재고에 대한 회계 항목을 게시 할 예정입니다." @@ -3794,7 +3808,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 +541,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,표준 판매 @@ -3802,7 +3816,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,보증 기간 만료 DocType: BOM Replace Tool,Replace,교체 apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,제품을 찾을 수 없습니다. -DocType: Production Order,Unstopped,마개를 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} 견적서에 대한 {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,프로젝트 이름 @@ -3813,6 +3826,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}되었습니다. 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} 또는 이미 다른 쿠폰에 대해 일치하는 계정이 없습니다 @@ -3850,9 +3864,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,그것은 재고 품목이 아니기 때문에 {0} 항목을 무시 +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 +40,Submit this Production Order for further processing.,추가 처리를 위해이 생산 주문을 제출합니다. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,채용 정보 @@ -3860,12 +3874,14 @@ 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 +209,Rate (%),비율 (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",자신보다 다른 조직에 사용자를 추가 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',그룹화 기준이 '회사'인 경우 회사 필터를 비워 두십시오. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,게시 날짜는 미래의 날짜 수 없습니다 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},행 번호 {0} : 일련 번호 {1}과 일치하지 않는 {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,캐주얼 허가 @@ -3894,7 +3910,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,재고 원장 입력 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} 항목을 직렬 제 칼럼에 대한 설정이 비어 있어야하지 DocType: Accounts Settings,Accounts Settings,계정 설정 apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,승인 DocType: Customer,Sales Partner and Commission,판매 파트너 및위원회 @@ -3909,7 +3925,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 +62,{0} items produced,생산 {0} 항목 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,반환 @@ -3923,7 +3939,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,환율 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,함대 관리 @@ -3948,18 +3964,18 @@ 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 +705,Online,온라인으로 +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다 +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} 항목이 비활성화되었습니다 DocType: Employee Loan,Repay Fixed Amount per Period,기간 당 고정 금액을 상환 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},제품의 수량을 입력 해주십시오 {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,크레딧 노트 Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,크레딧 노트 Amt DocType: Employee External Work History,Employee External Work History,직원 외부 일 역사 DocType: Tax Rule,Purchase,구입 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,잔고 수량 @@ -3985,7 +4001,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 +2383,Select items to save the invoice,송장을 저장하는 항목을 선택 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,송장을 저장하는 항목을 선택 DocType: Employee,Encashment Date,현금화 날짜 DocType: Training Event,Internet,인터넷 DocType: Account,Stock Adjustment,재고 조정 @@ -4015,6 +4031,7 @@ DocType: Guardian,Guardian Of ,의 가디언 DocType: Grading Scale Interval,Threshold,문지방 DocType: BOM Replace Tool,Current BOM,현재 BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,일련 번호 추가 +DocType: Production Order Item,Available Qty at Source Warehouse,출하 창고에서 사용 가능한 수량 apps/erpnext/erpnext/config/support.py +22,Warranty,보증 DocType: Purchase Invoice,Debit Note Issued,직불 주 발행 DocType: Production Order,Warehouses,창고 @@ -4030,13 +4047,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,지불 금액 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,프로젝트 매니저 ,Quoted Item Comparison,인용 상품 비교 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,파견 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,최대 할인 품목을 허용 : {0} {1} %이 +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 +279,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 +879,Select Items to Manufacture,제조 할 항목을 선택합니다 -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다" DocType: Item,Material Issue,소재 호 DocType: Hub Settings,Seller Description,판매자 설명 DocType: Employee Education,Qualification,자격 @@ -4060,7 +4077,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 +200,Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,제출 된 재고 항목 {0}이 존재하기 때문에 취소 할 수 없습니다 DocType: Employee Loan,Disbursement Date,지급 날짜 DocType: Vehicle,Vehicle,차량 DocType: Purchase Invoice,In Words,즉 @@ -4081,7 +4098,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",기본값으로이 회계 연도 설정하려면 '기본값으로 설정'을 클릭 apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,어울리다 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,부족 수량 -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재 +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재 DocType: Employee Loan,Repay from Salary,급여에서 상환 DocType: Leave Application,LAP/,무릎/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},에 대한 지불을 요청 {0} {1} 금액에 대한 {2} @@ -4099,18 +4116,18 @@ 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 +1011,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,일련 번호 {0}이 (가) 이미 수신 된 +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: Expense Claim,Vehicle Log,차량 로그인 DocType: Purchase Invoice,Recurring Id,경상 아이디 DocType: Customer,Sales Team Details,판매 팀의 자세한 사항 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,영구적으로 삭제 하시겠습니까? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},잘못된 {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},잘못된 {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,병가 DocType: Email Digest,Email Digest,이메일 다이제스트 DocType: Delivery Note,Billing Address Name,청구 주소 이름 @@ -4123,6 +4140,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,청구 DocType: Company,Change Abbreviation,변경 요약 DocType: Expense Claim Detail,Expense Date,비용 날짜 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드 DocType: Item,Max Discount (%),최대 할인 (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,마지막 주문 금액 DocType: Task,Is Milestone,마일스톤이다 @@ -4146,8 +4164,8 @@ DocType: Program Enrollment Tool,New Program,새 프로그램 DocType: Item Attribute Value,Attribute Value,속성 값 ,Itemwise Recommended Reorder Level,Itemwise는 재주문 수준에게 추천 DocType: Salary Detail,Salary Detail,급여 세부 정보 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,먼저 {0}를 선택하세요 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,항목의 일괄 {0} {1} 만료되었습니다. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,먼저 {0}를 선택하세요 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,항목의 일괄 {0} {1} 만료되었습니다. DocType: Sales Invoice,Commission,위원회 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,제조 시간 시트. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,소계 @@ -4172,12 +4190,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 +399,Operation Time must be greater than 0 for Operation {0},작업 시간은 작업에 대한 0보다 큰 수 있어야 {0} +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/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 +387,Production Order cannot be raised against a Item Template,생산 주문은 항목 템플릿에 대해 제기 할 수 없습니다 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,시작 날짜 @@ -4207,7 +4225,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,폐기 날짜 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","그들은 휴일이없는 경우 이메일은, 주어진 시간에 회사의 모든 Active 직원에 전송됩니다. 응답 요약 자정에 전송됩니다." DocType: Employee Leave Approver,Employee Leave Approver,직원 허가 승인자 -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","손실로 견적이되었습니다 때문에, 선언 할 수 없습니다." 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} 제출해야합니다 @@ -4241,6 +4259,7 @@ DocType: Announcement,Student,학생 apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,조직 단위 (현)의 마스터. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,유효 모바일 NOS를 입력 해주십시오 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,전송하기 전에 메시지를 입력 해주세요 +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,공급 업체와 중복 DocType: Email Digest,Pending Quotations,견적을 보류 apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,판매 시점 프로필 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS 설정을 업데이트하십시오 @@ -4249,7 +4268,7 @@ DocType: Cost Center,Cost Center Name,코스트 센터의 이름 DocType: Employee,B+,B의 + DocType: HR Settings,Max working hours against Timesheet,최대 작업 표에 대해 근무 시간 DocType: Maintenance Schedule Detail,Scheduled Date,예약 된 날짜 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,총 유료 AMT 사의 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,총 유료 AMT 사의 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 자보다 큰 메시지는 여러 개의 메시지로 분할됩니다 DocType: Purchase Receipt Item,Received and Accepted,접수 및 승인 ,GST Itemised Sales Register,GST 항목 별 판매 등록 @@ -4259,7 +4278,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 +237,Your Suppliers,공급 업체 +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',카테고리는 '평가'또는 'Vaulation과 전체'에 대한 때 공제 할 수 없음 @@ -4271,7 +4290,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,부품 {1}에 연결된 웹 사이트 콘텐츠 {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.,웹 사이트에 여러 그룹에이 항목을 나열합니다. @@ -4286,7 +4305,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,그것은 apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,창고 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,모든 학생 입학 ,Average Commission Rate,평균위원회 평가 -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고 있음'의 경우 무재고 항목에 대해 '예'일 수 없습니다 +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고 있음'의 경우 무재고 항목에 대해 '예'일 수 없습니다 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,출석은 미래의 날짜에 표시 할 수 없습니다 DocType: Pricing Rule,Pricing Rule Help,가격 규칙 도움말 DocType: School House,House Name,집 이름 @@ -4302,7 +4321,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 +339,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,보험 시작일은 보험 종료일보다 작아야합니다 @@ -4317,20 +4336,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},직원의 급여 슬립 {0} 이미 시간 시트 생성 {1} DocType: Vehicle Log,Odometer,주행 거리계 DocType: Sales Order Item,Ordered Qty,수량 주문 -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,항목 {0} 사용할 수 없습니다 +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 +874,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,급유 세부 사항 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,급여 전표 생성 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",해당 법령에가로 선택된 경우 구매 확인해야합니다 {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",해당 법령에가로 선택된 경우 구매 확인해야합니다 {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,할인 100 미만이어야합니다 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 +500,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,프로그램 등록 DocType: Landed Cost Voucher,Landed Cost Voucher,착륙 비용 바우처 @@ -4394,7 +4413,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,예상 날짜 자료 요청 날짜 이전 할 수 없습니다 DocType: Purchase Invoice Item,Stock Qty,재고 수량 DocType: Purchase Invoice Item,Stock Qty,재고 수량 -DocType: Production Order,Source Warehouse (for reserving Items),소스웨어 하우스 (항목 예약의 경우) DocType: Employee Loan,Repayment Period in Months,개월의 상환 기간 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,오류 : 유효한 ID? DocType: Naming Series,Update Series Number,업데이트 시리즈 번호 @@ -4443,7 +4461,7 @@ DocType: Production Order,Planned End Date,계획 종료 날짜 apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,항목이 저장되는 위치. DocType: Request for Quotation,Supplier Detail,공급 업체 세부 정보 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},식 또는 조건에서 오류 : {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,송장에 청구 된 금액 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,송장에 청구 된 금액 DocType: Attendance,Attendance,출석 apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,재고 물품 DocType: BOM,Materials,도구 @@ -4484,10 +4502,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,설정 내 조직에 대한 간단한 웹 사이트 +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0} DocType: Item,Default Warehouse,기본 창고 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},예산은 그룹 계정에 할당 할 수 없습니다 {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,부모의 비용 센터를 입력 해주십시오 @@ -4549,7 +4567,7 @@ 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 +1344,Select or add new customer,선택하거나 새로운 고객을 추가 +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/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,이이 직원의 출석을 기반으로 @@ -4557,6 +4575,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,년 시작 날짜 DocType: Attendance,Employee Name,직원 이름 DocType: Sales Invoice,Rounded Total (Company Currency),둥근 합계 (회사 통화) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네임 시스템 설정 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} 수정되었습니다.새로 고침하십시오. DocType: Leave Block List,Stop users from making Leave Applications on following days.,다음과 같은 일에 허가 신청을하는 사용자가 중지합니다. @@ -4579,7 +4598,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 읽기 ,Hub,허브 DocType: GL Entry,Voucher Type,바우처 유형 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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}에 안심 직원은 '왼쪽'으로 설정해야합니다 @@ -4599,7 +4618,7 @@ DocType: POS Profile,Account for Change Amount,변경 금액에 대한 계정 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},행 {0} : 파티 / 계정과 일치하지 않는 {1} / {2}에서 {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,비용 계정을 입력하십시오 DocType: Account,Stock,재고 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다 DocType: Employee,Current Address,현재 주소 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","명시 적으로 지정하지 않는 항목은 다음 설명, 이미지, 가격은 세금이 템플릿에서 설정됩니다 등 다른 항목의 변형 인 경우" DocType: Serial No,Purchase / Manufacture Details,구매 / 제조 세부 사항 @@ -4638,11 +4657,12 @@ DocType: Student,Home Address,집 주소 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,전송 자산 DocType: POS Profile,POS Profile,POS 프로필 DocType: Training Event,Event Name,이벤트 이름 -apps/erpnext/erpnext/config/schools.py +39,Admission,입장 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,입장 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},대한 입학 {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} 항목 템플릿이며, 그 변종 중 하나를 선택하십시오" DocType: Asset,Asset Category,자산의 종류 +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,구매자 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,순 임금은 부정 할 수 없습니다 DocType: SMS Settings,Static Parameters,정적 매개 변수 DocType: Assessment Plan,Room,방 @@ -4651,6 +4671,7 @@ DocType: Item,Item Tax,상품의 세금 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,공급 업체에 소재 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,소비세 송장 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0} %가 한 번 이상 나타납니다 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,고객> 고객 그룹> 지역 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,유동 부채 @@ -4722,6 +4743,7 @@ DocType: Leave Type,Is Carry Forward,이월된다 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,급여 전표 제출하지 않음 ,Stock Summary,재고 요약 diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv index a99ffd3f57..6196eb7418 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Lîsteya Holiday -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Hesabdar +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Hesabdar DocType: Cost Center,Stock User,Stock Bikarhêner DocType: Company,Phone No,Phone No apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Schedules Kurs tên afirandin: @@ -110,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} 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},ji bo destûr ne {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Get tomar ji -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Ne tumar hatin dîtin +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Reports Stock DocType: Warehouse,Warehouse Detail,Detail warehouse apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},limit Credit hatiye dîtin ji bo mişterî re derbas {0} {1} / {2} 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.,The Date Term End ne dikarin paşê ji Date Sal End 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Ji {0} ji bo {1} DocType: Item,Copy From Item Group,Copy Ji babetî Pula DocType: Journal Entry,Opening Entry,Peyam di roja vekirina -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Mişterî> Mişterî Pol> Herêma apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Account Pay Tenê DocType: Employee Loan,Repay Over Number of Periods,Bergîdana Hejmara Over ji Maweya DocType: Stock Entry,Additional Costs,Xercên din @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Emlak -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Daxûyanîya Account +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 DocType: Purchase Invoice Item,Is Fixed Asset,E Asset Fixed apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","QTY de derbasdar e {0}, divê hûn {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,bikaranînê +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +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. 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 +302,Example: Basic Mathematics,Mînak: Matematîk Basic +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/config/hr.py +214,Settings for HR Module,Mîhengên ji bo Module HR DocType: SMS Center,SMS Center,Navenda SMS @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Nawy û Pricing apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Total saetan: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Ji Date divê di nava sala diravî be. Bihesibînin Ji Date = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Quotes DocType: Customer,Individual,Şexsî DocType: Interest,Academics User,akademîsyenên Bikarhêner DocType: Cheque Print Template,Amount In Figure,Mîqdar Li Figure @@ -265,7 +266,7 @@ DocType: Employee,Create User,Create Bikarhêner DocType: Selling Settings,Default Territory,Default Herêma apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televîzyon DocType: Production Order Operation,Updated via 'Time Log',Demê via 'Time Têkeve' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},mîqdara Advance ne dikarin bibin mezintir {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},mîqdara Advance ne dikarin bibin mezintir {0} {1} DocType: Naming Series,Series List for this Transaction,Lîsteya Series ji bo vê Transaction DocType: Company,Enable Perpetual Inventory,Çalak Inventory Eternal DocType: Company,Default Payroll Payable Account,Default maeş cîhde Account @@ -273,7 +274,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 +177,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 +175,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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Contact Name +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Destkêşana Date divê mezintir Date of bizaveka be apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Dihêle per Sal 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 +189,Warehouse {0} does not belong to company {1},Warehouse {0} nayê ji şîrketa girêdayî ne {1} +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Arşîva Bank apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Yeksalî DocType: Stock Reconciliation Item,Stock Reconciliation Item,Babetê Stock Lihevkirinê @@ -315,7 +316,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 +316,People who teach at your organisation,Kesên ku di rêxistina xwe hînî +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Destûrê bide bikarhêneran ji bo 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 +699,Item {0} is cancelled,Babetê {0} betal e +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 +882,Material Request,Daxwaza maddî DocType: Bank Reconciliation,Update Clearance Date,Update Date Clearance DocType: Item,Purchase Details,Details kirîn @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fîloya Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} du caran li Bacê babet ketin +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} du caran li Bacê babet ketin apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Nasname ji bo vê hefteyê û çalakiyên hîn DocType: Student Applicant,Admitted,xwe mikur DocType: Workstation,Rent Cost,Cost kirê @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% pêşwazî apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Create komên xwendekaran apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Jixwe Complete !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Têbînî Mîqdar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Credit Têbînî Mîqdar ,Finished Goods,Goods qedand DocType: Delivery Note,Instructions,Telîmata DocType: Quality Inspection,Inspected By,teftîş kirin By @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Create a Mişterî ya nû +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Tikaye setup hijmara series ji bo beşdarbûna bi rêya Setup> Nî Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Create Orders Purchase ,Purchase Register,Buy Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Pêşbîr {0} çend caran li Attributes Table hilbijartin +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Pêşbîr {0} çend caran li Attributes Table hilbijartin DocType: HR Settings,Employee record is created using selected field. ,record Employee bikaranîna hilbijartî tên afirandin e. DocType: Sales Order,Not Applicable,Rêveber apps/erpnext/erpnext/config/hr.py +70,Holiday master.,master Holiday. @@ -529,7 +531,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 +219,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 +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/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" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ji kerema xwe ve Warehouse ji bo ku Daxwaza Material wê werin zindî binivîse DocType: Production Order,Additional Operating Cost,Cost Operating Additional apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosmetics -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","To merge, milkên li jêr, divê ji bo hem tomar be" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","To merge, milkên li jêr, divê ji bo hem tomar be" DocType: Shipping Rule,Net Weight,Loss net DocType: Employee,Emergency Phone,Phone Emergency apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kirrîn @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lê zêde bike Baca / Edit û doz li DocType: Purchase Invoice,Supplier Invoice No,Supplier bi fatûreyên No DocType: Territory,For reference,ji bo referansa -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","ne dikarin jêbirin Serial No {0}, wekî ku di karbazarên stock bikaranîn" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","ne dikarin jêbirin Serial No {0}, wekî ku di karbazarên stock bikaranîn" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Girtina (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Babetê move DocType: Serial No,Warranty Period (Days),Period Warranty (Days) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Ji kerema xwe ve yekem Company û Partiya Type hilbijêre apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financial / salê. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nirxên Accumulated -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Mixabin, Serial Nos bi yek bên" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Mixabin, Serial Nos bi yek bên" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Make Sales Order DocType: Project Task,Project Task,Project Task ,Lead Id,Lead Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Pardan apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Return Sales 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,Nîşe: Hemû pelên bi rêk û {0} ne pêwîst be kêmtir ji pelên jixwe pejirandin {1} ji bo dema +,Total Stock Summary,Stock Nasname Total DocType: Announcement,Posted By,Posted By DocType: Item,Delivered by Supplier (Drop Ship),Teslîmî destê Supplier (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database yên mişterî. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,heye Mişterî. DocType: Quotation,Quotation To,quotation To DocType: Lead,Middle Income,Dahata Navîn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Unit ji pîvanê ji bo babet {0} rasterast nikarin bên guhertin ji ber ku te berê kirin hin muameleyan (s) bi UOM din. Ji we re lazim ê ji bo afirandina a babet nû bi kar Default UOM cuda. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Unit ji pîvanê ji bo babet {0} rasterast nikarin bên guhertin ji ber ku te berê kirin hin muameleyan (s) bi UOM din. Ji we re lazim ê ji bo afirandina a babet nû bi kar Default UOM cuda. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,butçe ne dikare bibe neyînî apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Xêra xwe li Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Xêra xwe li Company @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maximum Score Nirxandina apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Kurdî Nexşe Transaction Update Bank apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Tracking Time +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Li Curenivîsên Dubare BO ardûyê DocType: Fiscal Year Company,Fiscal Year Company,Sal Company malî DocType: Packing Slip Item,DN Detail,Detail DN DocType: Training Event,Conference,Şêwre @@ -684,8 +688,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 +320,Timesheet created:,Timesheet tên afirandin: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -714,7 +718,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 +139,Finish,Qedandin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Qedandin apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Bingeh DocType: Timesheet,Total Billed Hours,Total Hours billed DocType: Journal Entry,Write Off Amount,Hewe Off Mîqdar @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,Seller City ,Absent Student Report,Absent Report Student DocType: Email Digest,Next email will be sent on:,email Next dê li ser şand: DocType: Offer Letter Term,Offer Letter Term,Pêşkêşkirina Letter Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Em babete Guhertoyên. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Em babete Guhertoyên. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Babetê {0} nehate dîtin DocType: Bin,Stock Value,Stock Nirx apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Company {0} tune @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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î 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 +48,Make Timesheet,Make timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ DocType: Company,Default Cost of Goods Sold Account,Default Cost ji Account Good apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,List Price hilbijartî ne DocType: Employee,Family Background,Background Family DocType: Request for Quotation Supplier,Send Email,Send Email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Hişyarî: Attachment Invalid {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,No Destûr +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Hişyarî: Attachment Invalid {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,No Destûr 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 +269,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -866,7 +870,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 +274,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 +275,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 @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} divê çalak be +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} nayê to Babetê girêdayî ne {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial No {0} nayê to Babetê girêdayî ne {1} DocType: Purchase Receipt Item Supplied,Required Qty,required Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Wargehan de bi mêjera yên heyî dikarin bi ledger ne bê guhertin. DocType: Bank Reconciliation,Total Amount,Temamê meblaxa @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Components apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ji kerema xwe ve Asset Category li babet binivîse {0} DocType: Quality Inspection Reading,Reading 6,Reading 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Can ne {0} {1} {2} bêyî ku fatûra hilawîstî neyînî +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Can ne {0} {1} {2} bêyî ku fatûra hilawîstî neyînî DocType: Purchase Invoice Advance,Purchase Invoice Advance,Bikirin bi fatûreyên Advance DocType: Hub Settings,Sync Now,Sync Now apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: entry Credit ne bi were bi girêdayî a {1} @@ -992,12 +996,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 +731,New Sales Invoice,New bi fatûreyên Sales +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Syncê girêdayî hisab +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Şîmyawî DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default account Bank / Cash wê were li Salary Peyam Journal ve dema ku ev moda hilbijartî ye. DocType: BOM,Raw Material Cost(Company Currency),Raw Cost Material (Company Exchange) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Hemû tomar niha ji bo vê Production Order hatine veguhastin. +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 +270,Meter,Jimarvan +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1056,7 +1060,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 +452,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 +453,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 @@ -1064,7 +1068,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 +259,Qty for {0},Qty ji bo {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Cash Account / Bank apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ji kerema xwe binivîsin a {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,tomar rakirin bi ti guhertinek di dorpêçê de an nirxê. DocType: Delivery Note,Delivery To,Delivery To -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,table taybetmendiyê de bivênevê ye +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,table taybetmendiyê de bivênevê ye DocType: Production Planning Tool,Get Sales Orders,Get Orders Sales -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne dikare bibe neyînî +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne dikare bibe neyînî apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Kêmkirinî DocType: Asset,Total Number of Depreciations,Hejmara giştî ya Depreciations DocType: Sales Invoice Item,Rate With Margin,Rate Bi Kenarê @@ -1115,7 +1119,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 +1546,ZIP Code,Kode ya postî +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1134,7 +1138,7 @@ 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 +238,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 +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/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) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Ji kerema xwe ve set 'Bisepîne Discount Additional Li ser' ' +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 DocType: Global Defaults,Global Defaults,Têrbûn Global @@ -1167,10 +1171,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 +22,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 +23,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 +347,Capacity Planning Error,Error Planning kapasîteya +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Error Planning kapasîteya ,Trial Balance for Party,Balance Trial bo Party DocType: Lead,Consultant,Şêwirda DocType: Salary Slip,Earnings,Earnings @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,e Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} nos serial derbasdar e ji bo vî babetî {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nos serial derbasdar e ji bo vî babetî {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Code babete dikarin ji bo No. Serial ne bê guhertin apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} berê ji bo user tên afirandin: {1} û şîrketa {2} DocType: Sales Invoice Item,UOM Conversion Factor,Factor Converter UOM @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Navenda bihagiranîyê ji bo babet bi Code Babetê ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1242,7 +1246,7 @@ 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,View Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The babet {0} ne dikarin Batch hene @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,Mînak: Masters li Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Sales Order {0} ne derbasdar e +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/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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Cihê Dozî Kurd apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Peyman DocType: Email Digest,Add Quote,lê zêde bike Gotinên baş -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},faktora coversion UOM pêwîst ji bo UOM: {0} li babet: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},faktora coversion UOM pêwîst ji bo UOM: {0} li babet: {1} 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 +736,Sync Master Data,Syncê Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Products an Services te +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 DocType: Mode of Payment,Mode of Payment,Mode of Payment -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be" +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ev komeke babete root e û ne jî dikarim di dahatûyê de were. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Production Order status e {0} DocType: Appraisal Goal,Goal,Armanc DocType: Sales Invoice Item,Edit Description,biguherîne Description ,Team Updates,Updates Team @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,warehouse zarok ji bo vê warehouse heye. Tu dikarî vê warehouse jêbirin. DocType: Item,Website Item Groups,Groups babet Website DocType: Purchase Invoice,Total (Company Currency),Total (Company Exchange) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,"hejmara Serial {0} ketin, ji carekê zêdetir" +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 +78,{0} items in progress,{0} tomar di pêşketina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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" @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1429,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,Shipping Name Address apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Chart Dageriyê DocType: Material Request,Terms and Conditions Content,Şert û mercan Content apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,dikarin bibin mezintir 100 ne -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Babetê {0} e a stock babete ne +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Babetê {0} e a stock babete ne DocType: Maintenance Visit,Unscheduled,rayis DocType: Employee,Owned,Owned DocType: Salary Detail,Depends on Leave Without Pay,Dimîne li ser Leave Bê Pay @@ -1468,7 +1470,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 +273,We buy this Item,Em buy vî babetî +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1479,7 +1481,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 +266,Sub Assemblies,Meclîsên bînrawe +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,No records dîtin li ser sifrê (DGD) apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ev {0} pevçûnên bi {1} ji bo {2} {3} DocType: Student Attendance Tool,Students HTML,xwendekarên HTML DocType: POS Profile,Apply Discount,Apply Discount -DocType: Purchase Invoice Item,GST HSN Code,Gst Code HSN +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 +283,Packing Slip(s) cancelled,Packing Slip (s) betalkirin @@ -1560,8 +1562,8 @@ 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 +2573,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 +269,Box,Qûtîk +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 +873,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 @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Method vegerandinê DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Eger kontrolkirin, rûpel Home de dê bibe Pol default babet ji bo malpera" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM Default ji bo {0} ji bo Project dîtin ne {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Îdîaya ji bo şîrketa hisabê. 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} @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,erka New apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Make Quotation apps/erpnext/erpnext/config/selling.py +216,Other Reports,din Reports DocType: Dependent Task,Dependent Task,Task girêdayî -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},faktora Converter ji bo default Unit ji pîvanê divê 1 li row be {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},faktora Converter ji bo default Unit ji pîvanê divê 1 li row be {0} 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} DocType: SMS Center,Receiver List,Lîsteya Receiver -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Search babetî +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,jixwe temam +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Mişterî POS Id DocType: Account,Account Name,Navê account apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Ji Date ne dikarin bibin mezintir To Date -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} dorpêçê de {1} ne dikare bibe perçeyeke +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} dorpêçê de {1} ne dikare bibe perçeyeke apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Supplier Type master. DocType: Purchase Order Item,Supplier Part Number,Supplier Hejmara Part apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,rêjeya Converter nikare bibe 0 an 1 @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vehicle Date Dispatch +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Default Account cîhde apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Mîhengên ji bo Têxe selikê bike wek qaîdeyên shipping, lîsteya buhayên hwd." @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Usa jî holidays di DocType: Sales Invoice,Packed Items,Nawy Packed apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Îdîaya Warranty dijî No. Serial DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Replace a BOM bi taybetî jî di hemû dikeye din li ku derê tê bikaranîn. Ev dê link kevin BOM şûna, update mesrefan û Hozan Semdîn "BOM teqîn Babetî" sifrê wek per BOM nû" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Hemî' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Hemî' DocType: Shopping Cart Settings,Enable Shopping Cart,Çalak Têxe selikê DocType: Employee,Permanent Address,daîmî Address apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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 @@ -1749,7 +1752,7 @@ 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 +699,Offline,Ne girêdayî +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Ser apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variant DocType: Naming Series,Set prefix for numbering series on your transactions,Set prefix ji bo ku hijmara series li ser danûstandinên xwe DocType: Employee Attendance Tool,Employees HTML,karmendên HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be" +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be" 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 @@ -1779,7 +1782,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 +175,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 +173,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" @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Hêz Student Group apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,"Li dijî Journal Peyam di {0} ti {1} entry berdar, ne xwedî" apps/erpnext/erpnext/config/hr.py +137,Appraisals,Şiroveyên -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Curenivîsên Serial No bo Babetê ketin {0} +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" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} de divê bê şandin +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Diravdanî @@ -1817,12 +1820,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Tevgera Asset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Têxe New +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Nawy Ji Buy Receipts DocType: Serial No,Creation Date,Date creation apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Babetê {0} xuya çend caran li List Price {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Firotin, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Firotin, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}" DocType: Production Plan Material Request,Material Request Date,Maddî Date Daxwaza DocType: Purchase Order Item,Supplier Quotation Item,Supplier babet Quotation DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Modê de creation ji dem têketin dijî Orders Production. Operasyonên wê li hember Production Order ne bê Molla @@ -1865,12 +1868,12 @@ 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 DocType: Budget,Budget,Sermîyan -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,"Babetê Asset Fixed, divê babete non-stock be." +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 +209,e.g. 5,eg 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1879,7 +1882,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,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 +263,A Product or Service,A Product an Service +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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: @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Cot +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Cot apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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î @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,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 +342,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be" +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" DocType: Shipping Rule Condition,Shipping Amount,Şêwaz Shipping -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,lê zêde muşteriyan +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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î @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê ,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Şêwaz Paid binivîse DocType: Salary Structure,Select employees for current Salary Structure,karmendên bo Structure Salary niha Hilbijêre +DocType: Sales Invoice,Company Address Name,Company Address Name DocType: Production Order,Use Multi-Level BOM,Bi kar tînin Multi-Level BOM 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)" @@ -2013,7 +2017,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 +269,Unit,Yekbûn +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2035,7 +2039,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,Cudahiya di Mîqdar @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Dabeşandina yên muşteriyan bi herêma apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Şêwaz Cudahiya divê sifir be DocType: Project,Gross Margin,Kenarê Gross -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Ji kerema xwe ve yekemîn babet Production binivîse +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 +748,Quotation,Girtebêje @@ -2056,7 +2060,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Mişterî / Lead Address -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Hişyarî: belgeya SSL çewt li ser attachment {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Hişyarî: belgeya SSL çewt li ser attachment {0} DocType: Student Admission,Eligibility,ku mafê apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Rêça te alîkarîya te bike business, lê zêde bike hemû têkiliyên xwe û zêdetir wek rêça te" DocType: Production Order Operation,Actual Operation Time,Rastî Time Operation @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,Calcolo Total Score DocType: Request for Quotation,Manufacturing Manager,manufacturing Manager apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} e bin garantiya upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dîmenê Têbînî Delivery nav pakêtan. -apps/erpnext/erpnext/hooks.py +87,Shipments,Barên +apps/erpnext/erpnext/hooks.py +94,Shipments,Barên DocType: Payment Entry,Total Allocated Amount (Company Currency),Temamê meblaxa veqetandin (Company Exchange) DocType: Purchase Order Item,To be delivered to customer,Ji bo mişterî teslîmî DocType: BOM,Scrap Material Cost,Cost xurde Material -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial No {0} nayê bi tu Warehouse girêdayî ne +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial No {0} nayê bi tu Warehouse girêdayî ne DocType: Purchase Invoice,In Words (Company Currency),Li Words (Company Exchange) DocType: Asset,Supplier,Şandevan DocType: C-Form,Quarter,Çarîk @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,Total Rojan Leave DocType: Email Digest,Note: Email will not be sent to disabled users,Note: Email dê ji bo bikarhênerên seqet ne bên şandin apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Hejmara Nimite apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Hejmara Nimite -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code babete> babetî Pula> Brand 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 +408,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1} +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} 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" @@ -2142,7 +2145,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Expense Detail Îdîaya -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Ji kerema xwe ve hesabê xwe rast hilbijêre +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE BO SUPPLIER +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Ji kerema xwe ve hesabê xwe rast hilbijêre DocType: Item,Weight UOM,Loss UOM DocType: Salary Structure Employee,Salary Structure Employee,Xebatkarê Structure meaş DocType: Employee,Blood Group,xwîn Group @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,serperişt 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 +336,Debit To is required,Debit To pêwîst e +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Unpaid: {0} DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,pêşkêşkirina Letter apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Çêneke Requests Material (MRP) û Orders Production. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total fatore Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Total fatore Amt DocType: BOM,Conversion Rate,converter apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Search Product DocType: Timesheet Detail,To Time,to Time @@ -2192,7 +2196,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Training Event Employee -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numbers Serial pêwîst ji bo vî babetî {1}. Hûn hatine {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numbers Serial pêwîst ji bo vî babetî {1}. Hûn hatine {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Rate Valuation niha: DocType: Item,Customer Item Codes,Codes babet Mişterî apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gain / Loss @@ -2240,7 +2244,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 +2454,Select Batch No,Hilbijêre Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,Rê bide bikarhênerên DocType: Purchase Order,Customer Mobile No,Mişterî Mobile No DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track Dahata cuda de û hisabê bo bixemilînî berhem an jî parçebûyî. DocType: Rename Tool,Rename Tool,Rename Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,update Cost +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 +438,Show Salary Slip,Slip Show Salary apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Hilbijêre guhertina account mîqdara +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,lê zêde bike Baca +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,Meqbûz kirînê No apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Money bi xîret DocType: Process Payroll,Create Salary Slip,Create Slip Salary apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / Code SAC 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 @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detail Cedwela Maintenance DocType: Quality Inspection Reading,Reading 9,Reading 9 DocType: Supplier,Is Frozen,e Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,warehouse node Pol nayê ne bi destûr ji bo muameleyên hilbijêre +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,warehouse node Pol nayê ne bi destûr ji bo muameleyên hilbijêre DocType: Buying Settings,Buying Settings,Settings kirîn DocType: Stock Entry Detail,BOM No. for a Finished Good Item,No. BOM ji bo babet baş Qediya DocType: Upload Attendance,Attendance To Date,Amadebûna To Date @@ -2332,13 +2337,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,"Tu dikarî rêjeya nayê guhertin, eger BOM agianst tu babete behsa" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ji kerema xwe ve Plankirî Qty ji bo babet {0} at row binivîse {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,Nirx destûr DocType: BOM,Show Operations,Show Operasyonên ,Minutes to First Response for Opportunity,Minutes ji bo First Response bo Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Absent -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unit ji Measure DocType: Fiscal Year,Year End Date,Sal Date End DocType: Task Depends On,Task Depends On,Task Dimîne li ser @@ -2432,7 +2437,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 +106,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 +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/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 @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Navenda cost apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,fîşeke # DocType: Notification Control,Purchase Order Message,Bikirin Order Message @@ -2548,7 +2553,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 +1165,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 +1086,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 +773,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 @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,Task cebîr apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ne li Stock DocType: Appraisal,HR User,Bikarhêner hr DocType: Purchase Invoice,Taxes and Charges Deducted,Bac û doz li dabirîn -apps/erpnext/erpnext/hooks.py +116,Issues,pirsên +apps/erpnext/erpnext/hooks.py +124,Issues,pirsên apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},"Rewş, divê yek ji yên bê {0}" DocType: Sales Invoice,Debit To,Debit To DocType: Delivery Note,Required only for sample item.,tenê ji bo em babete test pêwîst. @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Herêm apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ji kerema xwe re tu ji serdanên pêwîst behsa DocType: Stock Settings,Default Valuation Method,Default Method Valuation +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Xerc DocType: Vehicle Log,Fuel Qty,Qty mazotê DocType: Production Order Operation,Planned Start Time,Bi plan Time Start DocType: Course,Assessment,Bellîkirinî @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,Quotation {0} betal e -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Temamê meblaxa Outstanding +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Hemû Transactions Sales dikare li dijî multiple Persons Sales ** ** tagged, da ku tu set û şopandina hedef." ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Ji kerema Mişterî ji Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Ji kerema Mişterî ji Lead {0} DocType: Price List,Applicable for Countries,Wergirtinê ji bo welatên apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Tenê Applications bi statûya Leave 'status' û 'Redkirin' dikare were şandin apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Xwendekarên Navê babetî Pula li row wêneke e {0} @@ -2648,6 +2654,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/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î @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Transfer madî ji bo Manu 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.,Rêjeya Discount jî yan li dijî List Price an jî ji bo hemû List Price sepandin. DocType: Purchase Invoice,Half-yearly,Nîvsal carekî pişkinînên didanan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Peyam Accounting bo Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Tu niha ji bo nirxandina nirxandin {}. DocType: Vehicle Service,Engine Oil,Oil engine -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Tikaye Employee setup Bidin System Di çavkaniyê binirxîne Mirovan> Settings HR DocType: Sales Invoice,Sales Team1,Team1 Sales apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Babetê {0} tune DocType: Sales Invoice,Customer Address,Address mişterî @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / destekkirinê bi Chart cuda yên Accounts mensûbê Rêxistina. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Food, Beverage & tutunê" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},dikarin bi tenê peredayînê dijî make unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},dikarin bi tenê peredayînê dijî make unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,rêjeya Komîsyona ne dikarin bibin mezintir ji 100 DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ji kerema xwe {0} yekem binivîse @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Xwendekarên mihasebeya Beşdariyê Ayda apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Xebatkarê {0} hatiye ji bo bidestxistina {1} di navbera {2} û {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project Serî Date -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Ta +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Ta DocType: Rename Tool,Rename Log,Rename bike Têkeve Têkeve apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Komeleya Xwendekarên an Cedwela Kurs wêneke e apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Komeleya Xwendekarên an Cedwela Kurs wêneke e @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,vegeriya Qty DocType: Employee,Exit,Derî apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Type Root wêneke e DocType: BOM,Total Cost(Company Currency),Total Cost (Company Exchange) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} tên afirandin +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial No {0} tên afirandin DocType: Homepage,Company Description for website homepage,Description Company bo homepage malpera DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Ji bo hevgirtinê tê ji mişterî, van kodên dikare di formatên print wek hisab û Delivery Notes bikaranîn" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Navê Suplier @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,URL SMS Gateway apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Schedules Kurs deleted: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Têketin ji bo parastina statûya delivery sms DocType: Accounts Settings,Make Payment via Journal Entry,Make Payment via Peyam di Journal -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Çap ser +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Çap ser DocType: Item,Inspection Required before Delivery,Serperiştiya pêwîst berî Delivery DocType: Item,Inspection Required before Purchase,Serperiştiya pêwîst berî Purchase apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Çalakî hîn @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Xwendekarê apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Sînora Crossed 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.,An term akademîk bi vê 'Sala (Ekadîmî)' {0} û 'Name Term' {1} ji berê ve heye. Ji kerema xwe re van entries xeyrandin û careke din biceribîne. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","As in muamele heyî dijî babete {0} hene, tu bi nirxê biguherînin {1}" +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}","As in muamele heyî dijî babete {0} hene, tu bi nirxê biguherînin {1}" DocType: UOM,Must be Whole Number,Divê Hejmara Whole DocType: Leave Control Panel,New Leaves Allocated (In Days),Leaves New veqetandin (Di Days) +DocType: Sales Invoice,Invoice Copy,bi fatûreyên Copy apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} tune DocType: Sales Invoice Item,Customer Warehouse (Optional),Warehouse Mişterî (Li gorî daxwazê) DocType: Pricing Rule,Discount Percentage,Rêjeya discount @@ -2873,8 +2881,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto Doza nêzîkî piş 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Arşîva +DocType: Program Enrollment,Boarding Student,Xwendekarên înternat DocType: Asset,Expected Value After Useful Life,Nirx a bende Piştî Jiyana DocType: Item,Reorder level based on Warehouse,asta DIRTYHERTZ li ser Warehouse DocType: Activity Cost,Billing Rate,Rate Billing @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,xwendekarên bi destan ji bo Activity bingeha Pol Hilbijêre DocType: Journal Entry,User Remark,Remark Bikarhêner DocType: Lead,Market Segment,Segment Market -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Şêwaz pere ne dikarin bibin mezintir total mayî neyînî {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Şêwaz pere ne dikarin bibin mezintir total mayî neyînî {0} DocType: Employee Internal Work History,Employee Internal Work History,Xebatkarê Navxweyî Dîroka Work apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Girtina (Dr) DocType: Cheque Print Template,Cheque Size,Size Cheque -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ne li stock +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial No {0} ne li stock apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,şablonê Bacê ji bo firotina muamele. DocType: Sales Invoice,Write Off Outstanding Amount,Hewe Off Outstanding Mîqdar apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Account {0} nayê bi Company hev nagirin {1} @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,Lê zêde bike çend records test +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2945,17 +2955,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No û Batch DocType: Warranty Claim,From Company,ji Company -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Sum ji Jimareke Krîterên Nirxandina divê {0} be. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Sum ji Jimareke Krîterên Nirxandina divê {0} be. 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 +270,Minute,Deqqe +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,refaqetê apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Account Overdraft Bank apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Make Slip Salary apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: butçe ne dikarin bibin mezintir mayî bidin. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Browse BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,"Loans temînatê," DocType: Purchase Invoice,Edit Posting Date and Time,Edit Mesaj Date û Time apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ji kerema xwe ve set Accounts related Farhad li Asset Category {0} an Company {1} @@ -2992,7 +3002,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 +278,Select Quantity,Hilbijêre Diravan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},destûra te ya rojanekirina muameleyên borsayê yên kevintir ji {0} DocType: Purchase Invoice Item,PR Detail,Detail PR DocType: Sales Order,Fully Billed,bi temamî billed +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Type Supplier 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Temamê meblaxa bi qurûş 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 DocType: Customs Tariff Number,Tariff Number,Hejmara tarîfan +DocType: Production Order Item,Available Qty at WIP Warehouse,License de derbasdar Qty li Warehouse WIP apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,projeya -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} nayê to Warehouse girêdayî ne {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial No {0} nayê to Warehouse girêdayî ne {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,"Têbînî: em System bi wê jî li ser-teslîmkirinê û ser-booking ji bo babet {0} wek dikele, an miqdar 0 e" DocType: Notification Control,Quotation Message,quotation Message DocType: Employee Loan,Employee Loan Application,Xebatkarê Loan Application @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Cost Landed Mîqdar Vienna apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Fatoreyên rakir destê Suppliers. DocType: POS Profile,Write Off Account,Hewe Off Account -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Nîşe Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debit Nîşe Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Şêwaz discount DocType: Purchase Invoice,Return Against Purchase Invoice,Vegere li dijî Purchase bi fatûreyên 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 +207,e.g. VAT,eg moms +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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î @@ -3087,7 +3099,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 +1945,Please select customer,Ji kerema xwe ve mişterî hilbijêre +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,adres Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partiya wêneke e DocType: Journal Entry,JV-,nájv- DocType: Topic,Topic Name,Navê topic -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Li Hindîstan û yek ji Selling an Buying divê bên hilbijartin +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Li Hindîstan û yek ji Selling an Buying divê bên hilbijartin apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,xwezaya business xwe hilbijêrin. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Curenivîsên entry di Çavkanî {1} {2} 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. @@ -3125,7 +3137,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Qty ne dikarin bibin mezintir Max Qty +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 DocType: Account,Accumulated Depreciation,Farhad. Accumulated DocType: Stock Entry,Customer or Supplier Details,Details Mişterî an Supplier DocType: Employee Loan Application,Required by Date,Pêwîst ji aliyê Date @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Bikirin Order apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Navê Company nikare bibe Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Serên nameyek ji bo şablonan print. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titles ji bo şablonan print wek proforma. +DocType: Program Enrollment,Walking,Walking DocType: Student Guardian,Student Guardian,Xwendekarên Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,doz type Valuation ne dikarin weke berfireh nîşankirin DocType: POS Profile,Update Stock,update Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Type Supplier apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM cuda ji bo tomar dê ji bo Şaşî (Total) nirxa Loss Net rê. Bawer bî ku Loss Net ji hev babete di UOM heman e. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Peyam di Journal ji bo Scrap @@ -3211,7 +3223,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Show bacê break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3231,14 +3242,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Account Cash Default apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ne Mişterî an Supplier) master. 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 +176,No Students in,No 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 +108,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 +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN çewt an NA Enter bo ne-endam +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3279,23 @@ DocType: Sales Team,Contribution (%),Alîkarên (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Têbînî: em Peyam Pere dê ji ber ku tên afirandin, ne bê 'Cash an Account Bank' ne diyar bû" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,berpirsiyariya DocType: Expense Claim Account,Expense Claim Account,Account mesrefan +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Xêra xwe Bidin Series ji bo {0} bi rêya Setup> Settings> Navên Series DocType: Sales Person,Sales Person Name,Sales Name Person apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ji kerema xwe ve Hindîstan û 1 fatûra li ser sifrê binivîse +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,lê zêde bike Users DocType: POS Item Group,Item Group,Babetê Group DocType: Item,Safety Stock,Stock Safety apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Terakkî% ji bo karekî ne dikarin zêdetir ji 100. DocType: Stock Reconciliation Item,Before reconciliation,berî ku lihevhatina apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Bac û tawana Ev babete ji layê: (Company Exchange) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Bacê babete {0} de divê hesabê type Bacê an Hatinê an jî Expense an Chargeable hene +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Bacê babete {0} de divê hesabê type Bacê an Hatinê an jî Expense an Chargeable hene DocType: Sales Order,Partly Billed,hinekî billed apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,"Babetê {0}, divê babete Asset Fixed be" DocType: Item,Default BOM,Default BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debit Têbînî Mîqdar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debit Têbînî Mîqdar apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ji kerema xwe re-type navê şîrketa ku piştrast -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total Outstanding Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total Outstanding Amt DocType: Journal Entry,Printing Settings,Settings çapkirinê DocType: Sales Invoice,Include Payment (POS),Usa jî Payment (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Total Debit, divê ji bo Credit Bi tevahî wekhev be. Cudahî ew e {0}" @@ -3290,20 +3303,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Company sîgorta DocType: Asset Category Account,Fixed Asset Account,Account Asset Fixed apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Têgûherr -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Ji Delivery Note +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Ji Delivery Note DocType: Student,Student Email Address,Xwendekarên Email Address DocType: Timesheet Detail,From Time,ji Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Ez bêzarim: DocType: Notification Control,Custom Message,Message Custom apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banking Investment apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Cash an Bank Account ji bo çêkirina entry peredana wêneke e -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Tikaye setup hijmara series ji bo beşdarbûna bi rêya Setup> Nî Series apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Address Student apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Address 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 +1517,Address Name,Address Name +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3328,7 +3340,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Enter nirxa divê erênî be +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3337,7 +3349,7 @@ DocType: Process Payroll,Process Payroll,payroll pêvajoya apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,in holidays zêdetir ji rojên xebatê de vê mehê hene. DocType: Product Bundle Item,Product Bundle Item,Product Bundle babetî DocType: Sales Partner,Sales Partner Name,Navê firotina Partner -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Daxwaza ji bo Quotations +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Daxwaza ji bo Quotations DocType: Payment Reconciliation,Maximum Invoice Amount,Maximum Mîqdar bi fatûreyên DocType: Student Language,Student Language,Ziman Student apps/erpnext/erpnext/config/selling.py +23,Customers,muşteriyan @@ -3348,7 +3360,7 @@ DocType: Asset,Partially Depreciated,Qismen bicūkkirin DocType: Issue,Opening Time,Time vekirinê apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,From û To dîrokên pêwîst apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Ewlehiya & Borsayên Tirkiyeyê -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}'" +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 +847,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture @@ -3367,7 +3379,7 @@ 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 +266,Raw Material,Raw +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3379,7 +3391,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Vekirina Date divê berî Girtina Date be -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Xêra xwe Bidin Series ji bo {0} bi rêya Setup> Settings> Navên Series 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. @@ -3392,8 +3403,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos pêwîst ji bo vî babetî weşandin {0} +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/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 DocType: Journal Entry,Bank Entry,Peyam Bank DocType: Authorization Rule,Applicable To (Designation),To de evin: (teklîfê) @@ -3410,7 +3421,7 @@ 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 +270,Hour,Seet +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3420,7 +3431,7 @@ 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3437,8 +3448,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 +270,Gram,Xiram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be. +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/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. @@ -3464,14 +3475,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 +465,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 +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} 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 +834,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 +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 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 @@ -3503,7 +3514,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Dewletê Billing @@ -3551,7 +3562,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Mîhengên ji bo homepage malpera 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 +214,Invalid attribute {0} {1},taybetmendiyê de çewt {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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î @@ -3652,16 +3663,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Components meaş DocType: Program Enrollment Tool,New Academic Year,New Year (Ekadîmî) apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Têbînî DocType: Stock Settings,Auto insert Price List rate if missing,insert Auto List Price rêjeya eger wenda -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Temamê meblaxa Paid +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Temamê meblaxa Paid DocType: Production Order Item,Transferred Qty,veguhestin Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,rêveçûna apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pîlankirinî 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 +272,We sell this Item,Em bifiroşe vî babetî +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3709,7 +3722,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 +1186,Please set Company,Xêra xwe Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3726,13 +3739,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,berhev Fees DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} niha di vî babetî bikaranîn {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} niha di vî babetî bikaranîn {1} DocType: Lead,Add to calendar on this date,Lê zêde bike salnameya li ser vê date apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,"Qaîdeyên ji bo got, heqê şandinê." DocType: Item,Opening Stock,vekirina Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Mişterî pêwîst e apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ji bo vegerê de bivênevê ye DocType: Purchase Order,To Receive,Hildan +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Email şexsî apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Heke hilbijartî be, di sîstema wê entries hisêba ji bo ambaran de automatically binivîse." @@ -3743,7 +3757,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 +541,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 +542,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 @@ -3751,7 +3765,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Out of Warranty DocType: BOM Replace Tool,Replace,Diberdaxistin apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No berhemên dîtin. -DocType: Production Order,Unstopped,vebin apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} dijî Sales bi fatûreyên {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Navê Project @@ -3762,6 +3775,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} 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 @@ -3799,9 +3813,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,ji Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Çewtiya Hevoksaziyê li formula an rewşa: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Work Settings Nasname Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Babetê {0} hesibandin ji ber ku ew e ku em babete stock ne +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 +40,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 +102,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 @@ -3809,12 +3823,14 @@ 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 +209,Rate (%),Rêjeya (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Xêra xwe Company wêr'a vala eger Pol By e 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Deaktîv bike Date nikare bibe dîroka pêşerojê de apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nayê bi hev nagirin {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Leave Casual @@ -3843,7 +3859,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Peyam Ledger apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Hesabên Settings apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Destûrdan DocType: Customer,Sales Partner and Commission,Partner Sales û Komîsyona @@ -3858,7 +3874,7 @@ 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 +62,{0} items produced,{0} tomar çêkirin +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3872,7 +3888,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Îdîaya Expense Total (vi 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} DocType: Journal Entry Account,Exchange Rate,Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3897,18 +3913,18 @@ 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 +705,Online,bike +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,emir Submitted nikare were jêbirin +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Bergîdana yekûnê sabît Period apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ji kerema xwe ve dorpêçê de ji bo babet binivîse {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Têbînî Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Credit Têbînî Amt DocType: Employee External Work History,Employee External Work History,Xebatkarê History Kar Derve DocType: Tax Rule,Purchase,Kirrîn apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Qty @@ -3934,7 +3950,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 +2383,Select items to save the invoice,Select tomar bo rizgarkirina fatûra +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3964,6 +3980,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,Nepxok DocType: BOM Replace Tool,Current BOM,BOM niha: apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Lê zêde bike No Serial +DocType: Production Order Item,Available Qty at Source Warehouse,License de derbasdar Qty li Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Libersekînîn DocType: Purchase Invoice,Debit Note Issued,Debit Têbînî Issued DocType: Production Order,Warehouses,wargehan de @@ -3979,13 +3996,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Şêwaz: Destk apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager ,Quoted Item Comparison,Babetê têbinî eyna apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max discount destûr bo em babete: {0} {1}% e +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 +279,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 +879,Select Items to Manufacture,Select Nawy ji bo Manufacture -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire" +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" DocType: Item,Material Issue,Doza maddî DocType: Hub Settings,Seller Description,Seller Description DocType: Employee Education,Qualification,Zanyarî @@ -4009,7 +4026,7 @@ DocType: POS Profile,Terms and Conditions,Şert û mercan 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 +200,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 +198,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 @@ -4030,7 +4047,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Ji bo danîna vê sala diravî wek Default, klîk le 'Set wek Default'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Bihevgirêdan apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,kêmbûna Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye DocType: Employee Loan,Repay from Salary,H'eyfê ji Salary DocType: Leave Application,LAP/,HIMBÊZ/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Ku daxwaz dikin tezmînat li dijî {0} {1} ji bo mîktarê {2} @@ -4048,18 +4065,18 @@ 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 +1011,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 +944,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 +213,Serial No {0} has already been received,Serial No {0} ji niha ve wergirtin +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 ,Requested Items To Be Transferred,Nawy xwestin veguhestin 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 +1312,Delete permanently?,Vemirandina mayînde? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Invalid {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Leave nexweş DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Billing Name Address @@ -4072,6 +4089,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Chargeable DocType: Company,Change Abbreviation,Change Abbreviation DocType: Expense Claim Detail,Expense Date,Date Expense +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code babete> babetî Pula> Brand DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Last Order Mîqdar DocType: Task,Is Milestone,e Milestone @@ -4095,8 +4113,8 @@ DocType: Program Enrollment Tool,New Program,Program New DocType: Item Attribute Value,Attribute Value,nirxê taybetmendiyê ,Itemwise Recommended Reorder Level,Itemwise Baştir DIRTYHERTZ Level DocType: Salary Detail,Salary Detail,Detail meaş -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Ji kerema xwe {0} hilbijêre yekem -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} yên babet {1} xelas bûye. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Ji kerema xwe {0} hilbijêre yekem +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} yên babet {1} xelas bûye. DocType: Sales Invoice,Commission,Simsarî apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Bîlançoya Time ji bo febrîkayan. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal @@ -4121,12 +4139,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 +399,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 +394,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 +387,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 +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/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 @@ -4156,7 +4174,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Date çespandina DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emails wê ji bo hemû xebatkarên me Active ji şîrketa saet dayîn şandin, eger ew cejna tune ne. Nasname ji bersivên wê li nîvê şevê şandin." DocType: Employee Leave Approver,Employee Leave Approver,Xebatkarê Leave Approver -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ne dikare ragihîne wek wenda, ji ber ku Quotation hatiye çêkirin." 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 @@ -4189,6 +4207,7 @@ DocType: Announcement,Student,Zankoyî apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,yekîneya Organization (beşa) master. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ji kerema xwe ve nos mobile derbasdar têkeve apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ji kerema xwe re berî şandina peyamek binivîse +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Li Curenivîsên Dubare BO SUPPLIER DocType: Email Digest,Pending Quotations,hîn Quotations apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-ji-Sale Profile apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Ji kerema xwe ve Settings SMS baştir bike @@ -4197,7 +4216,7 @@ DocType: Cost Center,Cost Center Name,Mesrefa Name Navenda DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max dema xebatê li dijî timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Date scheduled -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total pere Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total pere Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messages mezintir 160 characters wê bê nav mesajên piralî qelişîn DocType: Purchase Receipt Item,Received and Accepted,"Stand, û pejirandî" ,GST Itemised Sales Register,Gst bidine Sales Register @@ -4207,7 +4226,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 +237,Your Suppliers,Suppliers te +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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' @@ -4219,7 +4238,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Wêne {0} girêdayî babet {1} nayê dîtin +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. @@ -4234,7 +4253,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Çi bikim? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,to Warehouse apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Hemû Admissions Student ,Average Commission Rate,Average Rate Komîsyona -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Has No Serial' nikare bibe '' Erê '' ji bo non-stock babete +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Has No Serial' nikare bibe '' Erê '' ji bo non-stock babete apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Amadebûna dikarin di dîrokên pêşeroja bo ne bên nîşankirin DocType: Pricing Rule,Pricing Rule Help,Rule Pricing Alîkarî DocType: School House,House Name,Navê House @@ -4250,7 +4269,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 +339,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 +340,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 @@ -4265,20 +4284,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip meaşê karmendekî {0} berê ji bo kaxeza dem tên afirandin {1} DocType: Vehicle Log,Odometer,Green DocType: Sales Order Item,Ordered Qty,emir kir Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Babetê {0} neçalak e +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Çêneke Salary Slips -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kirîn, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kirîn, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Discount gerek kêmtir ji 100 be 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 +500,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ +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/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î DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Voucher Cost @@ -4341,7 +4360,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Date hêvîkirin nikarim li ber Material Daxwaza Date be DocType: Purchase Invoice Item,Stock Qty,Stock Qty DocType: Purchase Invoice Item,Stock Qty,Stock Qty -DocType: Production Order,Source Warehouse (for reserving Items),Warehouse Source (ji bo rezervkirina Nawy) DocType: Employee Loan,Repayment Period in Months,"Period dayinê, li Meh" apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Çewtî: Not a id derbasdar e? DocType: Naming Series,Update Series Number,Update Hejmara Series @@ -4390,7 +4408,7 @@ DocType: Production Order,Planned End Date,Plankirin Date End apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Li ku derê tomar tên veşartin. DocType: Request for Quotation,Supplier Detail,Detail Supplier apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Çewtî di formula an rewşa: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Şêwaz fatore +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Şêwaz fatore DocType: Attendance,Attendance,Amadetî apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Nawy Stock DocType: BOM,Materials,materyalên @@ -4431,10 +4449,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,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 +350,Setup a simple website for my organization,Setup a website sade ji bo rêxistina xwe +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 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 +650,Please specify Attribute Value for attribute {0},Ji kerema xwe binivîsin nirxê taybetmendiyê ji bo pêşbîrê {0} +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} DocType: Item,Default Warehouse,Default Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budceya dikare li hember Account Pol ne bibin xwediyê rêdan û {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ji kerema xwe ve navenda mesrefa bav binivîse @@ -4496,7 +4514,7 @@ 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 +1344,Select or add new customer,Select an jî lê zêde bike mişterî nû +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/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 @@ -4504,6 +4522,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Tikaye Employee setup Bidin System Di çavkaniyê binirxîne Mirovan> Settings HR 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 +231,{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. @@ -4526,7 +4545,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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ê' @@ -4546,7 +4565,7 @@ DocType: POS Profile,Account for Change Amount,Account ji bo Guhertina Mîqdar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partiya / Account nayê bi hev nagirin {1} / {2} li {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ji kerema xwe ve Expense Account binivîse DocType: Account,Stock,Embar -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Purchase Order, Buy bi fatûreyên an Peyam Journal be" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Purchase Order, Buy bi fatûreyên an Peyam Journal be" DocType: Employee,Current Address,niha Address DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ger babete guhertoya yên babete din wê description, wêne, sewqiyata, bac û hwd dê ji şablonê set e, heta ku eşkere û diyar" DocType: Serial No,Purchase / Manufacture Details,Buy / Details Manufacture @@ -4585,11 +4604,12 @@ DocType: Student,Home Address,Navnîşana malê apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset transfer DocType: POS Profile,POS Profile,Profile POS DocType: Training Event,Event Name,Navê Event -apps/erpnext/erpnext/config/schools.py +39,Admission,Mûkir +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Mûkir apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions ji bo {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Babetê {0} a şablonê ye, ji kerema xwe ve yek ji Guhertoyên xwe hilbijêre" DocType: Asset,Asset Category,Asset Kategorî +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,kirîyar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,pay Net ne dikare bibe neyînî DocType: SMS Settings,Static Parameters,Parameters Static DocType: Assessment Plan,Room,Jûre @@ -4598,6 +4618,7 @@ DocType: Item,Item Tax,Bacê babetî apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Madî ji bo Supplier apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Mişterî> Mişterî Pol> Herêma DocType: Expense Claim,Employees Email Id,Karmendên Email Id DocType: Employee Attendance Tool,Marked Attendance,Beşdariyê nîşankirin apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Deynên niha: @@ -4669,6 +4690,7 @@ DocType: Leave Type,Is Carry Forward,Ma çêşît Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Nasname diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv index 27ae2e5091..ad4325960e 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","ໃບສັ່ງຜະລິດຢຸດເຊົາບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ, ຈຸກມັນຄັ້ງທໍາອິດເພື່ອຍົກເລີກການ" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,ເລືອກຜູ້ຜະລິດມາດຕະຖານ @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1} +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 +808,Invoice,ໃບເກັບເງິນ DocType: Maintenance Schedule Item,Periodicity,ໄລຍະເວລາ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ປີງົບປະມານ {0} ຈໍາເປັນຕ້ອງມີ @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,ກໍາລັງດໍາເນີນການ apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ກະລຸນາເລືອກເອົາວັນທີ DocType: Employee,Holiday List,ຊີວັນພັກ -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ບັນຊີ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,ບັນຊີ DocType: Cost Center,Stock User,User Stock DocType: Company,Phone No,ໂທລະສັບທີ່ບໍ່ມີ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,ຕາຕະລາງການຂອງລາຍວິຊາການສ້າງຕັ້ງ: @@ -110,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 +269,Kg,ກິໂລກຣາມ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ກິໂລກຣາມ DocType: Student Log,Log,ເຂົ້າສູ່ລະບົບ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ການເປີດກວ້າງການວຽກ. DocType: Item Attribute,Increment,ການເພີ່ມຂຶ້ນ @@ -120,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 +42,Not permitted for {0},ບໍ່ອະນຸຍາດໃຫ້ສໍາລັບການ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ໄດ້ຮັບການລາຍການຈາກ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,ບໍ່ພົບລາຍການ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,ບົດລາຍງາ DocType: Warehouse,Warehouse Detail,ຂໍ້ມູນ Warehouse apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອໄດ້ຮັບການ crossed ສໍາລັບລູກຄ້າ {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ແມ່ນຊັບສິນຄົງທີ່" ບໍ່ສາມາດຈະມີການກວດກາ, ເປັນການບັນທຶກຊັບສິນລາຄາຕໍ່ລາຍການ" +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/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,ການລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນ @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ຈາກ {0} ກັບ {1} DocType: Item,Copy From Item Group,ຄັດລອກຈາກກຸ່ມສິນຄ້າ DocType: Journal Entry,Opening Entry,Entry ເປີດ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> ອານາເຂດ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ບັນຊີຈ່າຍພຽງແຕ່ DocType: Employee Loan,Repay Over Number of Periods,ຕອບບຸນແທນຄຸນໃນໄລຍະຈໍານວນຂອງໄລຍະເວລາ DocType: Stock Entry,Additional Costs,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,ອະສັງຫາລິມະຊັບ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ຖະແຫຼງການຂອງບັນຊີ +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,ຢາ DocType: Purchase Invoice Item,Is Fixed Asset,ແມ່ນຊັບສິນຄົງທີ່ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ຈໍານວນທີ່ມີຢູ່ແມ່ນ {0}, ທ່ານຈໍາເປັນຕ້ອງ {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,ຜູ້ບໍລິໂພກ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ດຶງຂໍການວັດສະດຸປະເພດຜະລິດໂດຍອີງໃສ່ເງື່ອນໄຂຂ້າງເທິງນີ້ @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ຕົວຢ່າງ: ຄະນິດສາດພື້ນຖານ +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/config/hr.py +214,Settings for HR Module,ການຕັ້ງຄ່າສໍາລັບ Module HR DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ລາຍການແລະລາຄາ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},ຊົ່ວໂມງທັງຫມົດ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},ຈາກວັນທີ່ຄວນຈະຢູ່ໃນປີງົບປະມານ. ສົມມຸດວ່າຈາກ Date = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,ວົງຢືມ DocType: Customer,Individual,ບຸກຄົນ DocType: Interest,Academics User,ນັກວິຊາການຜູ້ໃຊ້ DocType: Cheque Print Template,Amount In Figure,ຈໍານວນເງິນໃນຮູບ @@ -265,7 +266,7 @@ DocType: Employee,Create User,ສ້າງ User DocType: Selling Settings,Default Territory,ມາດຕະຖານອານາເຂດ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ໂທລະທັດ DocType: Production Order Operation,Updated via 'Time Log',ການປັບປຸງໂດຍຜ່ານການ 'ທີ່ໃຊ້ເວລາເຂົ້າ' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1} DocType: Naming Series,Series List for this Transaction,ບັນຊີໄລຍະສໍາລັບການນີ້ DocType: Company,Enable Perpetual Inventory,ເປີດນໍາໃຊ້ສິນຄ້າຄົງຄັງ Perpetual DocType: Company,Default Payroll Payable Account,Default Payroll Account Payable @@ -273,7 +274,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 +177,For Warehouse is required before Submit,ສໍາລັບການຄັງສິນຄ້າທີ່ຕ້ອງການກ່ອນທີ່ຈະຍື່ນສະເຫນີການ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,ຊື່ຕິດຕໍ່ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 ກຸ່ມລູກຄ້າ @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,ບັນເທົາອາການທີ່ສະຫມັກຈະຕ້ອງຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ 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 +189,Warehouse {0} does not belong to company {1},Warehouse {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {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 +270,Litre,ລິດ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ອອກຈາກສະກັດ -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ການອອກສຽງທະນາຄານ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ປະຈໍາປີ DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Reconciliation Item @@ -315,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,ຂອງລາຍວິຊາ Group ນັກສຶກສາເຄື່ອງມືການສ້າງ DocType: Lead,Do Not Contact,ບໍ່ໄດ້ຕິດຕໍ່ -apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,ປະຊາຊົນຜູ້ທີ່ສອນໃນອົງການຈັດຕັ້ງຂອງທ່ານ +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,ຈໍານວນການສັ່ງຊື້ຂັ້ນຕ່ໍາ @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,ອະນຸຍາດໃຫ້ຜ DocType: Item,Publish in Hub,ເຜີຍແຜ່ໃນ Hub DocType: Student Admission,Student Admission,ຮັບສະຫມັກນັກສຶກສາ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ຂໍອຸປະກອນການ DocType: Bank Reconciliation,Update Clearance Date,ວັນທີ່ປັບປຸງການເກັບກູ້ DocType: Item,Purchase Details,ລາຍລະອຽດການຊື້ @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,ຜູ້ຈັດການເຮືອ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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 ວົງ @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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 ການຊໍາລະເງິນໄດ້ຮັບການແກ້ໄຂພາຍຫຼັງທີ່ທ່ານໄດ້ດຶງມັນ. ກະລຸນາດຶງມັນອີກເທື່ອຫນຶ່ງ. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ເຂົ້າສອງຄັ້ງໃນພາສີສິນຄ້າ +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ເຂົ້າສອງຄັ້ງໃນພາສີສິນຄ້າ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ສະຫຼຸບສັງລວມສໍາລັບອາທິດນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ DocType: Student Applicant,Admitted,ຍອມຮັບຢ່າງຈິງ DocType: Workstation,Rent Cost,ເຊົ່າທຶນ @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ທີ່ໄດ້ຮັບ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ສ້າງກຸ່ມນັກສຶກສາ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ຕິດຕັ້ງແລ້ວສົມບູນ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Note ຈໍານວນ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Credit Note ຈໍານວນ ,Finished Goods,ສິນຄ້າສໍາເລັດຮູບ DocType: Delivery Note,Instructions,ຄໍາແນະນໍາ DocType: Quality Inspection,Inspected By,ການກວດກາໂດຍ @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງນໍ້າເບີຊຸດສໍາລັບຜູ້ເຂົ້າຮ່ວມໂດຍຜ່ານການຕິດຕັ້ງ> Numbering Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ສ້າງໃບສັ່ງຊື້ ,Purchase Register,ລົງທະບຽນການຊື້ DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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,ສົ່ງກ່ຽວກັບ -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ຄຸນລັກສະນະ {0} ເລືອກເວລາຫຼາຍໃນຕາຕະລາງຄຸນສົມບັດ +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,ຄຸນລັກສະນະ {0} ເລືອກເວລາຫຼາຍໃນຕາຕະລາງຄຸນສົມບັດ DocType: HR Settings,Employee record is created using selected field. ,ການບັນທຶກຂອງພະນັກງານແມ່ນການສ້າງຕັ້ງການນໍາໃຊ້ພາກສະຫນາມການຄັດເລືອກ. DocType: Sales Order,Not Applicable,ບໍ່ສາມາດໃຊ້ apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ຕົ້ນສະບັບວັນພັກ. @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ບັນຊີ, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມບັນຊີ" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ກະລຸນາໃສ່ Warehouse ສໍາລັບການທີ່ວັດສະດຸການຈອງຈະໄດ້ຮັບການຍົກຂຶ້ນມາ DocType: Production Order,Additional Operating Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,ເຄື່ອງສໍາອາງ -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ການຜະສານຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ຈະຕ້ອງດຽວກັນສໍາລັບການລາຍການທັງສອງ +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",ການຜະສານຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ຈະຕ້ອງດຽວກັນສໍາລັບການລາຍການທັງສອງ DocType: Shipping Rule,Net Weight,ນໍ້າຫນັກສຸດທິ DocType: Employee,Emergency Phone,ໂທລະສັບສຸກເສີນ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ຊື້ @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,ເພີ່ມ / ແກ້ໄຂພາສີອາກອນແລະຄ່າບໍລິການ DocType: Purchase Invoice,Supplier Invoice No,Supplier Invoice No DocType: Territory,For reference,ສໍາລັບການກະສານອ້າງອີງ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","ບໍ່ສາມາດລົບ Serial No {0}, ຍ້ອນວ່າມັນໄດ້ຖືກນໍາໃຊ້ໃນທຸລະກໍາຫຼັກຊັບ" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","ບໍ່ສາມາດລົບ Serial No {0}, ຍ້ອນວ່າມັນໄດ້ຖືກນໍາໃຊ້ໃນທຸລະກໍາຫຼັກຊັບ" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),ປິດ (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,ການເຄື່ອນໄຫວສິນຄ້າ DocType: Serial No,Warranty Period (Days),ໄລຍະເວລາຮັບປະກັນ (ວັນ) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,ກະລຸນາເລືອກບໍລິສັດແລະພັກປະເພດທໍາອິດ apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ຄ່າສະສົມ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ຂໍອະໄພ, Serial Nos ບໍ່ສາມາດລວມ" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","ຂໍອະໄພ, Serial Nos ບໍ່ສາມາດລວມ" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,ເຮັດໃຫ້ຂາຍສິນຄ້າ DocType: Project Task,Project Task,ໂຄງການ Task ,Lead Id,Id ນໍາ @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,ຈັດສັນ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Return ຂາຍ 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,ຫມາຍເຫດ: ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ຄວນຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ +,Total Stock Summary,ທັງຫມົດສະຫຼຸບ Stock DocType: Announcement,Posted By,ຈັດພີມມາໂດຍ DocType: Item,Delivered by Supplier (Drop Ship),ນໍາສະເຫນີໂດຍຜູ້ຜະລິດ (Drop ການຂົນສົ່ງ) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,ຖານຂໍ້ມູນຂອງລູກຄ້າທີ່ອາດມີ. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ຖານຂໍ້ DocType: Quotation,Quotation To,ສະເຫນີລາຄາການ DocType: Lead,Middle Income,ລາຍໄດ້ປານກາງ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ເປີດ (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ມາດຕະຖານ Unit of Measure ສໍາລັບລາຍການ {0} ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍກົງເພາະວ່າທ່ານໄດ້ເຮັດແລ້ວການເຮັດທຸລະກໍາບາງ (s) ມີ UOM ອື່ນ. ທ່ານຈະຕ້ອງການເພື່ອສ້າງເປັນລາຍການໃຫມ່ທີ່ຈະນໍາໃຊ້ UOM ມາດຕະຖານທີ່ແຕກຕ່າງກັນ. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ມາດຕະຖານ Unit of Measure ສໍາລັບລາຍການ {0} ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍກົງເພາະວ່າທ່ານໄດ້ເຮັດແລ້ວການເຮັດທຸລະກໍາບາງ (s) ມີ UOM ອື່ນ. ທ່ານຈະຕ້ອງການເພື່ອສ້າງເປັນລາຍການໃຫມ່ທີ່ຈະນໍາໃຊ້ UOM ມາດຕະຖານທີ່ແຕກຕ່າງກັນ. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ຈໍານວນເງິນທີ່ຈັດສັນບໍ່ສາມາດຈະກະທົບທາງລົບ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້ @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ຕົ້ນສະບັບ DocType: Assessment Plan,Maximum Assessment Score,ຄະແນນປະເມີນຜົນສູງສຸດ apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,ການປັບປຸງທະນາຄານວັນ Transaction apps/erpnext/erpnext/config/projects.py +30,Time Tracking,ການຕິດຕາມທີ່ໃຊ້ເວລາ +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ຊ້ໍາສໍາລັບ TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,ບໍລິສັດປີງົບປະມານ DocType: Packing Slip Item,DN Detail,DN ຂໍ້ມູນ DocType: Training Event,Conference,ກອງປະຊຸມ @@ -684,8 +688,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 +320,Timesheet created:,Timesheet ສ້າງ: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ລົງທະບຽນ DocType: GST Settings,GST Settings,ການຕັ້ງຄ່າສີມູນຄ່າເພີ່ມ DocType: Selling Settings,Customer Naming By,ຊື່ລູກຄ້າໂດຍ @@ -714,7 +718,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 +139,Finish,ສໍາເລັດຮູບ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,ສໍາເລັດຮູບ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,ຖານ DocType: Timesheet,Total Billed Hours,ທັງຫມົດຊົ່ວໂມງບິນ DocType: Journal Entry,Write Off Amount,ຂຽນ Off ຈໍານວນ @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,ຜູ້ຂາຍເມືອງ ,Absent Student Report,ບົດລາຍງານນັກສຶກສາບໍ່ DocType: Email Digest,Next email will be sent on:,email ຕໍ່ໄປຈະຖືກສົ່ງໄປຕາມ: DocType: Offer Letter Term,Offer Letter Term,ສະເຫນີຈົດຫມາຍໄລຍະ -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ລາຍການມີ variants. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,ລາຍການມີ variants. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ບໍ່ພົບລາຍການ {0} DocType: Bin,Stock Value,ມູນຄ່າຫຼັກຊັບ apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ບໍລິສັດ {0} ບໍ່ມີ @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ກົດລະບຽບລາຄາທີ່ຫຼາກຫຼາຍທີ່ມີຢູ່ກັບເງື່ອນໄຂດຽວກັນ, ກະລຸນາແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງໂດຍການມອບຫມາຍບູລິມະສິດ. ກົດລະບຽບລາຄາ: {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 ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ 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 +48,Make Timesheet,ເຮັດໃຫ້ Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ 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,ຄວາມເປັນມາຂອງຄອບຄົວ DocType: Request for Quotation Supplier,Send Email,ການສົ່ງອີເມວ -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ການເຕືອນໄພ: Attachment ບໍ່ຖືກຕ້ອງ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ບໍ່ມີການອະນຸຍາດ +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},ການເຕືອນໄພ: Attachment ບໍ່ຖືກຕ້ອງ {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,ບໍ່ມີການອະນຸຍາດ 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 +269,Nos,ພວກເຮົາ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} ຕ້ອງໄດ້ຮັບການສົ່ງ" @@ -866,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}: 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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,ເປີດຄ່າເສື່ອມລາຄາສະສົມ @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1} DocType: Purchase Receipt Item Supplied,Required Qty,ທີ່ກໍານົດໄວ້ຈໍານວນ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ. DocType: Bank Reconciliation,Total Amount,ຈໍານວນທັງຫມົດ @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,ອົງປະກອບ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ກະລຸນາໃສ່ປະເພດຊັບສິນໃນ Item {0} DocType: Quality Inspection Reading,Reading 6,ອ່ານ 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,ສາມາດເຮັດໄດ້ບໍ່ {0} {1} {2} ໂດຍບໍ່ມີການໃບເກັບເງິນທີ່ຍັງຄ້າງຄາໃນທາງລົບ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,ສາມາດເຮັດໄດ້ບໍ່ {0} {1} {2} ໂດຍບໍ່ມີການໃບເກັບເງິນທີ່ຍັງຄ້າງຄາໃນທາງລົບ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ຊື້ Invoice Advance DocType: Hub Settings,Sync Now,Sync ໃນປັດຈຸບັນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າ Credit ບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1} @@ -992,12 +996,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 +731,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່ +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້ +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້ DocType: Payment Request,Paid,ການຊໍາລະເງິນ DocType: Program Fee,Program Fee,ຄ່າບໍລິການໂຄງການ DocType: Salary Slip,Total in words,ທັງຫມົດໃນຄໍາສັບຕ່າງໆ @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ສານເຄມີ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ມາດຕະຖານບັນຊີທະນາຄານ / ເງິນສົດຈະໄດ້ຮັບການປັບປຸງອັດຕະໂນມັດໃນເງິນເດືອນ Journal Entry ໃນເວລາທີ່ຮູບແບບນີ້ແມ່ນການຄັດເລືອກ. DocType: BOM,Raw Material Cost(Company Currency),ຕົ້ນທຶນວັດຖຸດິບ (ບໍລິສັດສະກຸນເງິນ) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ລາຍການທັງຫມົດໄດ້ຮັບການຍົກຍ້າຍສໍາລັບໃບສັ່ງຜະລິດນີ້. +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 +270,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Meter DocType: Workstation,Electricity Cost,ຄ່າໃຊ້ຈ່າຍໄຟຟ້າ DocType: HR Settings,Don't send Employee Birthday Reminders,ບໍ່ໄດ້ສົ່ງພະນັກງານວັນເດືອນປີເກີດເຕືອນ DocType: Item,Inspection Criteria,ເງື່ອນໄຂການກວດກາ @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,ການດຸ່ນດ່ຽງຈໍານວນເງິນກູ້ @@ -1064,7 +1068,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 +259,Qty for {0},ຈໍານວນ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 ຊີ @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,ເງິນສົດ / ບັນຊ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ກະລຸນາລະບຸ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ລາຍການໂຍກຍ້າຍອອກມີການປ່ຽນແປງໃນປະລິມານຫຼືມູນຄ່າບໍ່ມີ. DocType: Delivery Note,Delivery To,ການຈັດສົ່ງກັບ -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ຕາຕະລາງຄຸນສົມບັດເປັນການບັງຄັບ +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,ຕາຕະລາງຄຸນສົມບັດເປັນການບັງຄັບ DocType: Production Planning Tool,Get Sales Orders,ໄດ້ຮັບໃບສັ່ງຂາຍ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ບໍ່ສາມາດຈະກະທົບທາງລົບ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ບໍ່ສາມາດຈະກະທົບທາງລົບ apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ສ່ວນລົດ DocType: Asset,Total Number of Depreciations,ຈໍານວນທັງຫມົດຂອງຄ່າເສື່ອມລາຄາ DocType: Sales Invoice Item,Rate With Margin,ອັດຕາດ້ວຍ Margin @@ -1115,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,Partner ການປະຕິບັດ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,ລະຫັດໄປສະນີ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1134,7 +1138,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງຜູ້ສະຫນອງຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 ຂັ້ນຕ່ໍາອາຍຸ (ວັນ) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ຈໍາຫນ່າຍ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ການຄ້າໂຄງຮ່າງກົດລະບຽບ Shipping apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,ສັ່ງຊື້ສິນຄ້າ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້ -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',ກະລຸນາຕັ້ງ 'ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ' +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 DocType: Global Defaults,Global Defaults,ຄ່າເລີ່ມຕົ້ນຂອງໂລກ @@ -1167,10 +1171,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 +22,First 2 digits of GSTIN should match with State number {0},ຫນ້າທໍາອິດ 2 ຕົວເລກຂອງ GSTIN ຄວນຈະມີຄໍາທີ່ມີຈໍານວນ State {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Error ວາງແຜນຄວາມອາດສາມາດ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Error ວາງແຜນຄວາມອາດສາມາດ ,Trial Balance for Party,ດຸນການທົດລອງສໍາລັບການພັກ DocType: Lead,Consultant,ທີ່ປຶກສາ DocType: Salary Slip,Earnings,ລາຍຮັບຈາກການ @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,ແມ່ນກັບຄືນ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Return / ເດບິດຫມາຍເຫດ DocType: Price List Country,Price List Country,ລາຄາປະເທດ DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} ພວກເຮົາອະນຸກົມທີ່ຖືກຕ້ອງສໍາລັບລາຍການ {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} ພວກເຮົາອະນຸກົມທີ່ຖືກຕ້ອງສໍາລັບລາຍການ {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,ລະຫັດສິນຄ້າບໍ່ສາມາດມີການປ່ຽນແປງສໍາລັບການສະບັບເລກທີ Serial apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},ຂໍ້ມູນ POS {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບຜູ້ໃຊ້: {1} ແລະບໍລິສັດ {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Factor ແປງ @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',ສູນເສຍຄ່າໃຊ້ຈ່າຍສໍາລັບການລາຍການທີ່ມີລະຫັດສິນຄ້າ ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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" @@ -1242,7 +1246,7 @@ 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,View Ledger DocType: Grading Scale,Intervals,ໄລຍະ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ທໍາອິດ -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ເປັນກຸ່ມສິນຄ້າລາຄາທີ່ມີຊື່ດຽວກັນ, ກະລຸນາມີການປ່ຽນແປງຊື່ສິນຄ້າຫລືປ່ຽນຊື່ກຸ່ມລາຍການ" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ລາຍການ {0} ບໍ່ສາມາດມີ Batch @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ DocType: Purchase Invoice,Rejected Warehouse,ປະຕິເສດ Warehouse DocType: GL Entry,Against Voucher,ຕໍ່ Voucher DocType: Item,Default Buying Cost Center,ມາດຕະຖານ Center ຊື້ຕົ້ນທຶນ @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,ໃບສັ່ງຂາຍ {0} ບໍ່ຖືກຕ້ອງ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ສະຖານທີ່ຂອງບັນຫາ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ສັນຍາ DocType: Email Digest,Add Quote,ຕື່ມການ Quote -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈ Coversion UOM ຕ້ອງການສໍາລັບ UOM: {0} ໃນສິນຄ້າ: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈ Coversion UOM ຕ້ອງການສໍາລັບ UOM: {0} ໃນສິນຄ້າ: {1} 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 +736,Sync Master Data,Sync ຂໍ້ມູນຫລັກ -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ +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,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ DocType: Mode of Payment,Mode of Payment,ຮູບແບບການຊໍາລະເງິນ -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌ +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌ DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ນີ້ເປັນກຸ່ມລາຍການຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກຄັດເລືອກທໍາອິດໂດຍອີງໃສ່ 'ສະຫມັກຕໍາກ່ຽວກັບ' ພາກສະຫນາມ, ທີ່ສາມາດຈະມີລາຍການ, ກຸ່ມສິນຄ້າຫຼືຍີ່ຫໍ້." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},ສະຖານະການສັ່ງຊື້ຜະລິດຕະພັນ {0} DocType: Appraisal Goal,Goal,ເປົ້າຫມາຍຂອງ DocType: Sales Invoice Item,Edit Description,ແກ້ໄຂລາຍລະອຽດ ,Team Updates,ການປັບປຸງທີມງານ @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ຄັງສິນຄ້າເດັກຢູ່ສໍາລັບການສາງນີ້. ທ່ານບໍ່ສາມາດລົບ warehouse ນີ້. DocType: Item,Website Item Groups,ກຸ່ມສົນທະນາເວັບໄຊທ໌ສິນຄ້າ DocType: Purchase Invoice,Total (Company Currency),ທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,ຈໍານວນ Serial {0} ເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ +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 +78,{0} items in progress,{0} ລາຍການມີຄວາມຄືບຫນ້າ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,ນີ້ແມ່ນຈໍານວນຂອງການສ້າງຕັ້ງຂື້ນໃນທີ່ຜ່ານມາມີຄໍານໍາຫນ້ານີ້ @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1429,7 @@ 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 +260,Max: {0},ສູງສຸດທີ່ເຄຍ: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,ເຂົ້າສູ່ລະບົບການສື່ສານ. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,Shipping Address ຊື່ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ຕາຕະລາງຂອງການບັນຊີ DocType: Material Request,Terms and Conditions Content,ຂໍ້ກໍານົດແລະເງື່ອນໄຂເນື້ອໃນ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ລາຍການ {0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,ລາຍການ {0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ DocType: Maintenance Visit,Unscheduled,ນອກເຫນືອຈາກ DocType: Employee,Owned,ເປັນເຈົ້າຂອງ DocType: Salary Detail,Depends on Leave Without Pay,ຂຶ້ນຢູ່ກັບອອກໂດຍບໍ່ມີການຈ່າຍ @@ -1468,7 +1470,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 +273,We buy this Item,ພວກເຮົາຊື້ສິນຄ້ານີ້ +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 ຂອງ @@ -1479,7 +1481,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 +266,Sub Assemblies,ປະກອບຍ່ອຍ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ປະກອບຍ່ອຍ DocType: Asset,Asset Name,ຊື່ຊັບສິນ DocType: Project,Task Weight,ວຽກງານນ້ໍາຫນັກ DocType: Shipping Rule Condition,To Value,ກັບມູນຄ່າ @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ແຫຼ່ງຂໍ້ມູນ 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 +239,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່ +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການຊໍາລະເງິນການບັນທຶກການ apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ນີ້ {0} ຄວາມຂັດແຍ້ງກັບ {1} ສໍາລັບ {2} {3} DocType: Student Attendance Tool,Students HTML,ນັກສຶກສາ HTML DocType: POS Profile,Apply Discount,ສະຫມັກຕໍາລົດ -DocType: Purchase Invoice Item,GST HSN Code,GST Code HSN +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 +283,Packing Slip(s) cancelled,ບັນຈຸ (s) ຍົກເລີກ @@ -1560,8 +1562,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 +2573,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box +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 +873,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,ຮັບບັນຊີບໍ່ມີ. ກະລຸນາສ້າງບັນຊີຮັບ @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,ວິທີການຊໍາລະ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ຖ້າຫາກວ່າການກວດກາ, ຫນ້າທໍາອິດຈະເປັນກຸ່ມສິນຄ້າມາດຕະຖານສໍາລັບການເວັບໄຊທ໌" DocType: Quality Inspection Reading,Reading 4,ອ່ານ 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM Default ສໍາລັບ {0} ບໍ່ພົບ Project {1} 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}" @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,ວຽກງາ apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາ apps/erpnext/erpnext/config/selling.py +216,Other Reports,ບົດລາຍງານອື່ນ ໆ DocType: Dependent Task,Dependent Task,Task ຂຶ້ນ -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},ປັດໄຈທີ່ປ່ຽນແປງສໍາລັບຫນ່ວຍໃນຕອນຕົ້ນຂອງການປະມານ 1 ປີຕິດຕໍ່ກັນ {0} +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 ໃນການລ່ວງຫນ້າ. 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} DocType: SMS Center,Receiver List,ບັນຊີຮັບ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ຄົ້ນຫາສິນຄ້າ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ສໍາເລັດແລ້ວ +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/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 +263,Quantity must not be more than {0},ປະລິມານຈະຕ້ອງບໍ່ຫຼາຍກ່ວາ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,Id POS Customer DocType: Account,Account Name,ຊື່ບັນຊີ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ຈາກວັນທີບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເຖິງວັນທີ່ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} ປະລິມານ {1} ບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} ປະລິມານ {1} ບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ປະເພດຜູ້ສະຫນອງຕົ້ນສະບັບ. 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 @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,ຍານພາຫະນະວັນຫນັງສືທາງການ +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ຊື້ຮັບ {0} ບໍ່ໄດ້ສົ່ງ DocType: Company,Default Payable Account,ມາດຕະຖານບັນຊີເຈົ້າຫນີ້ apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ການຕັ້ງຄ່າສໍາລັບໂຄງຮ່າງການໄປຊື້ເຄື່ອງອອນໄລນ໌ເຊັ່ນ: ກົດລະບຽບການຂົນສົ່ງ, ບັນຊີລາຍການລາຄາແລະອື່ນໆ" @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,ປະກອບມ DocType: Sales Invoice,Packed Items,ການບັນຈຸ apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ການຮັບປະກັນການຮຽກຮ້ອງຕໍ່ສະບັບເລກທີ Serial DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ທົດແທນໂດຍສະເພາະແມ່ນ BOM ໃນແອບເປີ້ນອື່ນໆທັງຫມົດທີ່ມັນຖືກນໍາໃຊ້. ມັນຈະແທນການເຊື່ອມຕໍ່ BOM ອາຍຸ, ການປັບປຸງຄ່າໃຊ້ຈ່າຍແລະການຟື້ນຟູຕາຕະລາງ "BOM ລະເບີດ Item" ເປັນຕໍ່ BOM ໃຫມ່" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ທັງຫມົດ' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','ທັງຫມົດ' DocType: Shopping Cart Settings,Enable Shopping Cart,ເຮັດໃຫ້ໂຄງຮ່າງການຊື້ DocType: Employee,Permanent Address,ທີ່ຢູ່ຖາວອນ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ DocType: Material Request,Transferred,ໂອນ DocType: Vehicle,Doors,ປະຕູ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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 ກຸ່ມລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນກະລຸນາມີການປ່ຽນແປງຊື່ລູກຄ້າຫຼືປ່ຽນຊື່ກຸ່ມລູກຄ້າ @@ -1749,7 +1752,7 @@ 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 +699,Offline,ອອຟໄລ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,ສະຫມັກວຽກຄິກທີ່ນີ້ @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ຕົ້ນຕ apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variant DocType: Naming Series,Set prefix for numbering series on your transactions,ຕັ້ງຄໍານໍາຫນ້າສໍາລັບການຈໍານວນໄລຍະກ່ຽວກັບການໂອນຂອງທ່ານ DocType: Employee Attendance Tool,Employees HTML,ພະນັກງານ HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ DocType: Employee,Leave Encashed?,ອອກຈາກ Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ໂອກາດຈາກພາກສະຫນາມເປັນການບັງຄັບ DocType: Email Digest,Annual Expenses,ຄ່າໃຊ້ຈ່າຍປະຈໍາປີ @@ -1779,7 +1782,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 +175,Work-in-Progress Warehouse is required before Submit,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse ກ່ອນການຍື່ນສະເຫນີການ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,ຂໍ້ມູນນິຕິບັນຍັດແລະຂໍ້ມູນທົ່ວໄປອື່ນໆກ່ຽວກັບຜູ້ຜະລິດຂອງທ່ານ @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Strength Group ນັກສຶກສາ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ຕໍ່ຕ້ານອະນຸ {0} ບໍ່ມີການ unmatched {1} ເຂົ້າ apps/erpnext/erpnext/config/hr.py +137,Appraisals,ການປະເມີນຜົນ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ຊ້ໍາບໍ່ມີ Serial ເຂົ້າສໍາລັບລາຍການ {0} +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" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ການຊໍາລະເງິນ @@ -1817,12 +1820,12 @@ 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 +257,"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 +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.","ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ. ເຮັດໃຫ້ແນ່ໃຈວ່າການກວດສອບການກຸ່ມສິນຄ້າ, ຫນ່ວຍງານຂອງມາດຕະການແລະຄຸນສົມບັດອື່ນໆໃນເວລາທີ່ທ່ານຈະເລີ່ມຕົ້ນ." 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: Asset Movement,Asset Movement,ການເຄື່ອນໄຫວຊັບສິນ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ໂຄງຮ່າງການໃຫມ່ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,ຂັບລົດ @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ຮັບສິນຄ້າຈາກການຊື້ຮັບ DocType: Serial No,Creation Date,ວັນທີ່ສ້າງ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ລາຍການ {0} ປາກົດຂຶ້ນຫລາຍຄັ້ງໃນລາຄາ {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","ຂາຍຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","ຂາຍຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}" DocType: Production Plan Material Request,Material Request Date,ຂໍອຸປະກອນການວັນທີ່ DocType: Purchase Order Item,Supplier Quotation Item,ຜູ້ຜະລິດສະເຫນີລາຄາສິນຄ້າ DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ປິດການໃຊ້ວຽກການສ້າງຂໍ້ມູນບັນທຶກທີ່ໃຊ້ເວລາຕໍ່ໃບສັ່ງຜະລິດ. ການດໍາເນີນງານຈະບໍ່ໄດ້ຮັບການຕິດຕາມຕໍ່ສັ່ງຊື້ສິນຄ້າ @@ -1865,12 +1868,12 @@ DocType: Supplier,Supplier of Goods or Services.,ຜູ້ສະຫນອງສ DocType: Budget,Fiscal Year,ປີງົບປະມານ DocType: Vehicle Log,Fuel Price,ລາຄານໍ້າມັນເຊື້ອໄຟ DocType: Budget,Budget,ງົບປະມານ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ລາຍການສິນຊັບຖາວອນຕ້ອງຈະເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ. +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 +209,e.g. 5,ຕົວຢ່າງ: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1879,7 +1882,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} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. ກວດສອບການຕົ້ນສະບັບລາຍການ DocType: Maintenance Visit,Maintenance Time,ທີ່ໃຊ້ເວລາບໍາລຸງຮັກສາ ,Amount to Deliver,ຈໍານວນການສົ່ງ -apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,A ຜະລິດຕະພັນຫຼືການບໍລິການ +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,ມູນຄ່າປະຈຸບັນ @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,ຄູ່ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ຄູ່ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ DocType: Asset,Depreciation Schedule,ຕາຕະລາງຄ່າເສື່ອມລາຄາ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ທີ່ຢູ່ Partner ຂາຍແລະຕິດຕໍ່ @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),ຕົວຈິງວັນທີ່ສິ້ນສຸດ (ຜ່ານທີ່ໃຊ້ເວລາ 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 +160,Item Group not mentioned in item master for item {0},ກຸ່ມສິນຄ້າບໍ່ໄດ້ກ່າວເຖິງໃນຕົ້ນສະບັບລາຍການສໍາລັບການ item {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້ +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,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້ DocType: Shipping Rule Condition,Shipping Amount,ການຂົນສົ່ງຈໍານວນເງິນ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ຕື່ມການລູກຄ້າ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,ສົ່ງ @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້ ,Supplier-Wise Sales Analytics,"ຜູ້ຜະລິດ, ສະຫລາດວິເຄາະ Sales" apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ກະລຸນາໃສ່ຈໍານວນເງິນທີ່ຊໍາລະເງິນ DocType: Salary Structure,Select employees for current Salary Structure,ເລືອກພະນັກງານສໍາລັບໂຄງປະກອບການເງິນເດືອນໃນປັດຈຸບັນ +DocType: Sales Invoice,Company Address Name,ຊື່ບໍລິສັດທີ່ຢູ່ 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)","ຂອງລາຍວິຊາຂອງພໍ່ແມ່ (ອອກ blank, ຖ້າຫາກວ່ານີ້ບໍ່ແມ່ນສ່ວນຫນຶ່ງຂອງພໍ່ແມ່ຂອງລາຍວິຊາ)" @@ -2013,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 +269,Unit,ຫນ່ວຍບໍລິການ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 ບ່ອນທີ່ທ່ານກໍາລັງຮັກສາຫຼັກຊັບຂອງລາຍການຖືກປະຕິເສດ @@ -2035,7 +2039,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຂາຍ, ຂາຍໃບເກັບເງິນຫຼືການອະນຸທິນ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: ຈາກທີ່ໃຊ້ເວລາແລະຈະໃຊ້ເວລາເປັນການບັງຄັບ. DocType: Stock Reconciliation Item,Amount Difference,ຈໍານວນທີ່ແຕກຕ່າງກັນ @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,ການຈັດປະເພດຂອງລູກຄ້າຕາມພູມິພາກ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ຄວາມແຕກຕ່າງກັນຈໍານວນເງິນຕ້ອງເປັນສູນ DocType: Project,Gross Margin,ຂອບໃບລວມຍອດ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,ກະລຸນາໃສ່ການຜະລິດສິນຄ້າຄັ້ງທໍາອິດ +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 +748,Quotation,ວົງຢືມ @@ -2056,7 +2060,7 @@ 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 ບັນຊີທັງຫມົດແລະເຮັດທຸລະກໍາທີ່ສໍາຄັນອື່ນໆມີການຕິດຕາມຕໍ່ປີງົບປະມານ ** **. DocType: Opportunity,Customer / Lead Address,ລູກຄ້າ / ທີ່ຢູ່ນໍາ -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ການເຕືອນໄພ: ໃບຢັ້ງຢືນການ SSL ບໍ່ຖືກຕ້ອງກ່ຽວກັບສິ່ງທີ່ແນບມາ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},ການເຕືອນໄພ: ໃບຢັ້ງຢືນການ SSL ບໍ່ຖືກຕ້ອງກ່ຽວກັບສິ່ງທີ່ແນບມາ {0} DocType: Student Admission,Eligibility,ມີສິດໄດ້ຮັບ apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ນໍາໄປສູ່ການຊ່ວຍເຫຼືອທີ່ທ່ານໄດ້ຮັບທຸລະກິດ, ເພີ່ມການຕິດຕໍ່ທັງຫມົດຂອງທ່ານແລະຫຼາຍເປັນຜູ້ນໍາພາຂອງທ່ານ" DocType: Production Order Operation,Actual Operation Time,ທີ່ແທ້ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,ຄິດໄລ່ຄະແນນທັ DocType: Request for Quotation,Manufacturing Manager,ຜູ້ຈັດການການຜະລິດ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} ແມ່ນຢູ່ພາຍໃຕ້ການຮັບປະກັນບໍ່ເກີນ {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ການແບ່ງປັນການຈັດສົ່ງເຂົ້າໄປໃນການຫຸ້ມຫໍ່. -apps/erpnext/erpnext/hooks.py +87,Shipments,ການຂົນສົ່ງ +apps/erpnext/erpnext/hooks.py +94,Shipments,ການຂົນສົ່ງ DocType: Payment Entry,Total Allocated Amount (Company Currency),ທັງຫມົດຈັດສັນຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ) DocType: Purchase Order Item,To be delivered to customer,ທີ່ຈະສົ່ງໃຫ້ລູກຄ້າ DocType: BOM,Scrap Material Cost,Cost Scrap ການວັດສະດຸ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Warehouse ໃດ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Warehouse ໃດ DocType: Purchase Invoice,In Words (Company Currency),ໃນຄໍາສັບຕ່າງໆ (ບໍລິສັດສະກຸນເງິນ) DocType: Asset,Supplier,ຜູ້ຈັດຈໍາຫນ່າຍ DocType: C-Form,Quarter,ໄຕມາດ @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,ທັງຫມົດວັນອອ DocType: Email Digest,Note: Email will not be sent to disabled users,ຫມາຍເຫດ: ອີເມວຈະບໍ່ຖືກສົ່ງກັບຜູ້ໃຊ້ຄົນພິການ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ຈໍານວນປະຕິສໍາພັນ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ຈໍານວນປະຕິສໍາພັນ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ 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 +408,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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 ຫນຶ່ງຕິດຕໍ່ກັນ" @@ -2142,7 +2145,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,ຄ່າໃຊ້ຈ່າຍຂໍ້ມູນການຮ້ອງຂໍ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ກະລຸນາເລືອກບັນຊີທີ່ຖືກຕ້ອງ +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ສາມສະບັບຄືການ SUPPLIER +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,ກະລຸນາເລືອກບັນຊີທີ່ຖືກຕ້ອງ DocType: Item,Weight UOM,ນ້ໍາຫນັກ UOM DocType: Salary Structure Employee,Salary Structure Employee,ພະນັກງານໂຄງສ້າງເງິນເດືອນ DocType: Employee,Blood Group,Group ເລືອດ @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,ຜູ້ປົກຄອງ 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 +336,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ຄໍາສະເຫນີ @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ທັງຫມົ DocType: BOM Website Operation,BOM Website Operation,BOM ການດໍາເນີນງານເວັບໄຊທ໌ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ສະເຫນີຈົດຫມາຍ apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ສ້າງການຮ້ອງຂໍການວັດສະດຸ (MRP) ແລະໃບສັ່ງຜະລິດ. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ທັງຫມົດອອກໃບແຈ້ງຫນີ້ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,ທັງຫມົດອອກໃບແຈ້ງຫນີ້ Amt DocType: BOM,Conversion Rate,ອັດຕາການປ່ຽນແປງ apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ຄົ້ນຫາຜະລິດຕະພັນ DocType: Timesheet Detail,To Time,ການທີ່ໃຊ້ເວລາ @@ -2192,7 +2196,7 @@ 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" DocType: Training Event Employee,Training Event Employee,ການຝຶກອົບຮົມພະນັກງານກິດຈະກໍາ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ຈໍານວນ Serial ຕ້ອງການສໍາລັບລາຍການ {1}. ທ່ານໄດ້ສະຫນອງ {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ຈໍານວນ Serial ຕ້ອງການສໍາລັບລາຍການ {1}. ທ່ານໄດ້ສະຫນອງ {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,ອັດຕາປະເມີນມູນຄ່າໃນປະຈຸບັນ DocType: Item,Customer Item Codes,ລະຫັດລູກຄ້າສິນຄ້າ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ແລກປ່ຽນເງິນຕາໄດ້ຮັບ / ການສູນເສຍ @@ -2240,7 +2244,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 +2454,Select Batch No,ເລືອກຊຸດ No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,ລ່ວງຫນ້າຈໍານວນເງິນ @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,ອະນຸຍາດໃຫ້ຜູ້ຊ DocType: Purchase Order,Customer Mobile No,ລູກຄ້າໂທລະສັບມືຖື DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ຕິດຕາມລາຍໄດ້ແຍກຕ່າງຫາກແລະຄ່າໃຊ້ຈ່າຍສໍາລັບການຕັ້ງຜະລິດຕະພັນຫຼືພະແນກ. DocType: Rename Tool,Rename Tool,ປ່ຽນຊື່ເຄື່ອງມື -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,ການປັບປຸງຄ່າໃຊ້ຈ່າຍ +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 +438,Show Salary Slip,Slip ສະແດງໃຫ້ເຫັນເງິນເດືອນ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,ເພີ່ມພາສີອາກອນ +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,ບັນຊີງົບປະມານ @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,ຊື້ໃບບໍ່ມີ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ເງິນ earnest DocType: Process Payroll,Create Salary Slip,ສ້າງຄວາມຜິດພາດພຽງເງິນເດືອນ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ກວດສອບຍ້ອນກັບ +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC ລະຫັດ 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,ພະນັກງານ @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ຂໍ້ມູນຕາຕະລາງການບໍາລຸງຮັກສາ DocType: Quality Inspection Reading,Reading 9,ອ່ານ 9 DocType: Supplier,Is Frozen,ແມ່ນ Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,warehouse node ກຸ່ມດັ່ງກ່າວແມ່ນບໍ່ອະນຸຍາດໃຫ້ເລືອກສໍາລັບການເຮັດທຸລະກໍາ +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,warehouse node ກຸ່ມດັ່ງກ່າວແມ່ນບໍ່ອະນຸຍາດໃຫ້ເລືອກສໍາລັບການເຮັດທຸລະກໍາ DocType: Buying Settings,Buying Settings,ການຕັ້ງຄ່າການຊື້ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM ເລກສໍາລັບລາຍການສິນຄ້າສໍາເລັດ DocType: Upload Attendance,Attendance To Date,ຜູ້ເຂົ້າຮ່ວມເຖິງວັນທີ່ @@ -2332,13 +2337,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ." +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.js +153,You can not change rate if BOM mentioned agianst any item,ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງອັດຕາການຖ້າຫາກວ່າ BOM ທີ່ໄດ້ກ່າວມາ agianst ລາຍການໃດ +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,ສໍາລັບປະລິມານ apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},ກະລຸນາໃສ່ການວາງແຜນຈໍານວນສໍາລັບລາຍການ {0} ທີ່ຕິດຕໍ່ກັນ {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,ມູນຄ່າອະນຸຍ DocType: BOM,Show Operations,ສະແດງໃຫ້ເຫັນການປະຕິບັດ ,Minutes to First Response for Opportunity,ນາທີຄວາມຮັບຜິດຊອບຫນ້າທໍາອິດສໍາລັບໂອກາດ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ທັງຫມົດຂາດ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,ຫນ່ວຍບໍລິການຂອງມາດຕະການ DocType: Fiscal Year,Year End Date,ປີສິ້ນສຸດວັນທີ່ DocType: Task Depends On,Task Depends On,ວຽກງານຂຶ້ນໃນ @@ -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 +106,Cannot produce more Item {0} than Sales Order quantity {1},ບໍ່ສາມາດຜະລິດສິນຄ້າຫຼາຍ {0} ກ່ວາປະລິມານສັ່ງຂາຍ {1} +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/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 @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,ສູນຕົ້ນທຶນ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,ການສັ່ງຊື້ຂໍ້ຄວາມ @@ -2548,7 +2553,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 +1165,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,ວຽກງານສໍາເລັດ apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ບໍ່ໄດ້ຢູ່ໃນ Stock DocType: Appraisal,HR User,User HR DocType: Purchase Invoice,Taxes and Charges Deducted,ພາສີອາກອນແລະຄ່າບໍລິການຫັກ -apps/erpnext/erpnext/hooks.py +116,Issues,ບັນຫາ +apps/erpnext/erpnext/hooks.py +124,Issues,ບັນຫາ apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},ສະຖານະພາບຕ້ອງເປັນຫນຶ່ງໃນ {0} DocType: Sales Invoice,Debit To,ເດບິດໄປ DocType: Delivery Note,Required only for sample item.,ຕ້ອງການສໍາລັບລາຍການຕົວຢ່າງ. @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,ອານາເຂດຂອງ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ກະລຸນາທີ່ບໍ່ມີການໄປຢ້ຽມຢາມທີ່ຕ້ອງການ DocType: Stock Settings,Default Valuation Method,ວິທີການປະເມີນມູນຄ່າໃນຕອນຕົ້ນ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ຄ່າບໍລິການ DocType: Vehicle Log,Fuel Qty,ນໍ້າມັນເຊື້ອໄຟຈໍານວນ DocType: Production Order Operation,Planned Start Time,ເວລາການວາງແຜນ DocType: Course,Assessment,ການປະເມີນຜົນ @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,ສະເຫນີລາຄາ {0} ຈະຖືກຍົກເລີກ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ DocType: Sales Partner,Targets,ຄາດຫມາຍຕົ້ນຕໍ DocType: Price List,Price List Master,ລາຄາຕົ້ນສະບັບ DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ທັງຫມົດຂອງທຸລະກໍາສາມາດຕິດແທຕໍ່ຫລາຍຄົນຂາຍ ** ** ດັ່ງນັ້ນທ່ານສາມາດກໍານົດແລະຕິດຕາມກວດກາເປົ້າຫມາຍ. ,S.O. No.,ດັ່ງນັ້ນສະບັບເລກທີ -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},ກະລຸນາສ້າງລູກຄ້າຈາກ Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},ກະລຸນາສ້າງລູກຄ້າຈາກ Lead {0} DocType: Price List,Applicable for Countries,ສາມາດນໍາໃຊ້ສໍາລັບປະເທດ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ອອກພຽງແຕ່ຄໍາຮ້ອງສະຫມັກທີ່ມີສະຖານະພາບ 'ອະນຸມັດ' ແລະ 'ປະຕິເສດ' ສາມາດໄດ້ຮັບການສົ່ງ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},ນັກສຶກສາ Group Name ເປັນຂໍ້ບັງຄັບໃນການຕິດຕໍ່ກັນ {0} @@ -2648,6 +2654,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/config/hr.py +163,Define various loan types,ກໍານົດປະເພດການກູ້ຢືມເງິນຕ່າງໆ DocType: Bin,FCFS Rate,FCFS ອັດຕາ DocType: Payment Reconciliation Invoice,Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາ @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,ອຸປະກອນກ 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.,ເປີເຊັນສ່ວນລົດສາມາດນໍາໃຊ້ບໍ່ວ່າຈະຕໍ່ລາຄາຫຼືສໍາລັບລາຄາທັງຫມົດ. DocType: Purchase Invoice,Half-yearly,ເຄິ່ງຫນຶ່ງຂອງການປະຈໍາປີ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ທ່ານໄດ້ປະເມີນແລ້ວສໍາລັບມາດຕະຖານການປະເມີນຜົນ {}. DocType: Vehicle Service,Engine Oil,ນ້ໍາມັນເຄື່ອງຈັກ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງພະນັກງານແຜນການຕັ້ງຊື່ System ໃນຊັບພະຍາກອນມະນຸດ> Settings HR 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,ທີ່ຢູ່ຂອງລູກຄ້າ @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ນິຕິບຸກຄົນ / ບໍລິສັດຍ່ອຍທີ່ມີໃນຕາຕະລາງທີ່ແຍກຕ່າງຫາກຂອງບັນຊີເປັນອົງການຈັດຕັ້ງ. DocType: Payment Request,Mute Email,mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ສະບຽງອາຫານ, ເຄື່ອງດື່ມແລະຢາສູບ" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ອັດຕາການຄະນະກໍາມະບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100 DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ກະລຸນາໃສ່ {0} ທໍາອິດ @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,ນັກສຶກສາ Sheet ເຂົ້າຮ່ວມລາຍເດືອນ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} ໄດ້ຖືກນໍາໃຊ້ແລ້ວສໍາລັບ {1} ລະຫວ່າງ {2} ແລະ {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ວັນທີ່ສະຫມັກໂຄງການເລີ່ມຕົ້ນ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,ຈົນກ່ວາ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,ຈົນກ່ວາ DocType: Rename Tool,Rename Log,ປ່ຽນຊື່ເຂົ້າສູ່ລະບົບ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Group ນັກສຶກສາຫຼືຕາຕະລາງຂອງລາຍວິຊາແມ່ນບັງຄັບ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Group ນັກສຶກສາຫຼືຕາຕະລາງຂອງລາຍວິຊາແມ່ນບັງຄັບ @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,ກັບຈໍານວນ DocType: Employee,Exit,ການທ່ອງທ່ຽວ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ປະເພດຮາກເປັນຕົ້ນເປັນການບັງຄັບ DocType: BOM,Total Cost(Company Currency),ຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} ສ້າງ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial No {0} ສ້າງ DocType: Homepage,Company Description for website homepage,ລາຍລະອຽດເກມບໍລິສັດສໍາລັບການຫນ້າທໍາອິດເວັບໄຊທ໌ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ເພື່ອຄວາມສະດວກຂອງລູກຄ້າ, ລະຫັດເຫຼົ່ານີ້ສາມາດຖືກນໍາໃຊ້ໃນຮູບແບບການພິມເຊັ່ນ: ໃບແຈ້ງຫນີ້ແລະການສົ່ງເງິນ" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ຊື່ Suplier @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,URL SMS Gateway apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,ຕາຕະລາງການຂອງລາຍວິຊາການລຶບ: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,ຂໍ້ມູນບັນທຶກການຮັກສາສະຖານະພາບການຈັດສົ່ງ sms DocType: Accounts Settings,Make Payment via Journal Entry,ເຮັດໃຫ້ການຊໍາລະເງິນໂດຍຜ່ານການອະນຸທິນ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,ພິມກ່ຽວກັບ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,ພິມກ່ຽວກັບ DocType: Item,Inspection Required before Delivery,ການກວດກາທີ່ກໍານົດໄວ້ກ່ອນທີ່ຈະຈັດສົ່ງສິນຄ້າ DocType: Item,Inspection Required before Purchase,ການກວດກາທີ່ກໍານົດໄວ້ກ່ອນທີ່ຈະຊື້ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ກິດຈະກໍາທີ່ຍັງຄ້າງ @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ນັກ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ຂອບເຂດຈໍາກັດອົງການກາ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,ເປັນໄລຍະທາງວິຊາການກັບນີ້ປີທາງວິຊາການ '{0} ແລະ' ໄລຍະຊື່ '{1} ມີຢູ່ແລ້ວ. ກະລຸນາປັບປຸງແກ້ໄຂການອອກສຽງເຫຼົ່ານີ້ແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ເນື່ອງຈາກວ່າມີທຸລະກໍາທີ່ມີຢູ່ແລ້ວຕໍ່ item {0}, ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງມູນຄ່າຂອງ {1}" +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}","ເນື່ອງຈາກວ່າມີທຸລະກໍາທີ່ມີຢູ່ແລ້ວຕໍ່ item {0}, ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງມູນຄ່າຂອງ {1}" DocType: UOM,Must be Whole Number,ຕ້ອງເປັນຈໍານວນທັງຫມົດ DocType: Leave Control Panel,New Leaves Allocated (In Days),ໃບໃຫມ່ຈັດສັນ (ໃນວັນ) +DocType: Sales Invoice,Invoice Copy,ໃບເກັບເງິນສໍາເນົາ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} ບໍ່ມີ DocType: Sales Invoice Item,Customer Warehouse (Optional),ຄັງສິນຄ້າ (ຖ້າຕ້ອງການ) DocType: Pricing Rule,Discount Percentage,ເປີເຊັນສ່ວນລົດ @@ -2873,8 +2881,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto ໃກ້ 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 +305,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,ບັນຊີຄ່າເສື່ອມລາຄາສະສົມ DocType: Stock Settings,Freeze Stock Entries,Freeze Entries Stock +DocType: Program Enrollment,Boarding Student,ນັກສຶກສາຄະນະ DocType: Asset,Expected Value After Useful Life,ມູນຄ່າຄາດວ່າຫຼັງຈາກຊີວິດທີ່ເປັນປະໂຫຍດ DocType: Item,Reorder level based on Warehouse,ລະດັບລໍາດັບຂຶ້ນຢູ່ກັບຄັງສິນຄ້າ DocType: Activity Cost,Billing Rate,ອັດຕາການເອີ້ນເກັບເງິນ @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ເລືອກນັກສຶກສາດ້ວຍຕົນເອງສໍາລັບກຸ່ມບໍລິສັດກິດຈະກໍາຕາມ DocType: Journal Entry,User Remark,User ຂໍ້ສັງເກດ DocType: Lead,Market Segment,ສ່ວນຕະຫຼາດ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ການຊໍາລະເງິນຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດປະລິມານທີ່ຍັງຄ້າງຄາໃນທາງລົບ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ການຊໍາລະເງິນຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດປະລິມານທີ່ຍັງຄ້າງຄາໃນທາງລົບ {0} DocType: Employee Internal Work History,Employee Internal Work History,ພະນັກງານປະຫວັດການເຮັດພາຍໃນປະເທດ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),ປິດ (Dr) DocType: Cheque Print Template,Cheque Size,ຂະຫນາດກະແສລາຍວັນ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ບໍ່ໄດ້ຢູ່ໃນຫຸ້ນ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial No {0} ບໍ່ໄດ້ຢູ່ໃນຫຸ້ນ apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ແມ່ແບບພາສີສໍາລັບການຂາຍທຸລະກໍາ. DocType: Sales Invoice,Write Off Outstanding Amount,ຂຽນ Off ທີ່ພົ້ນເດັ່ນຈໍານວນ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ບັນຊີ {0} ບໍ່ກົງກັບກັບບໍລິສັດ {1} @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,ເພີ່ມການບັນທຶກຕົວຢ່າງຈໍານວນຫນ້ອຍ +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,ສົ່ງຢ່າງເຕັມທີ່ @@ -2945,17 +2955,17 @@ 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,Stock ປະມານການຈໍານວນ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ການສັ່ງຊື້ຂອງລູກຄ້າ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ບໍ່ມີ Serial ແລະ Batch DocType: Warranty Claim,From Company,ຈາກບໍລິສັດ -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ຜົນບວກຂອງຄະແນນຂອງເງື່ອນໄຂການປະເມີນຜົນທີ່ຕ້ອງການຈະ {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,ຜົນບວກຂອງຄະແນນຂອງເງື່ອນໄຂການປະເມີນຜົນທີ່ຕ້ອງການຈະ {0}. 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 +270,Minute,ນາທີ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ນາທີ DocType: Purchase Invoice,Purchase Taxes and Charges,ຊື້ພາສີອາກອນແລະຄ່າບໍລິການ ,Qty to Receive,ຈໍານວນທີ່ຈະໄດ້ຮັບ DocType: Leave Block List,Leave Block List Allowed,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້ @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,ຈັດງານ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ທະນາຄານບັນຊີເບີກເກີນບັນຊີ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ເຮັດໃຫ້ຄວາມຜິດພາດພຽງເງິນເດືອນ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ແຖວ # {0}: ຈັດສັນຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະລິມານທີ່ຍັງຄ້າງຄາ. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Browse BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ກູ້ໄພ DocType: Purchase Invoice,Edit Posting Date and Time,ແກ້ໄຂວັນທີ່ປະກາດແລະເວລາ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີທີ່ກ່ຽວຂ້ອງກັບຄ່າເສື່ອມລາຄາໃນສິນຊັບປະເພດ {0} ຫລືບໍລິສັດ {1} @@ -2992,7 +3002,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 +278,Select Quantity,ເລືອກປະລິມານ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},ບໍ່ອະນຸຍາດໃຫ້ປັບປຸງການເຮັດທຸລະຫຸ້ນອາຍຸຫຼາຍກວ່າ {0} DocType: Purchase Invoice Item,PR Detail,ຂໍ້ມູນ PR DocType: Sales Order,Fully Billed,ບິນໄດ້ຢ່າງເຕັມສ່ວນ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> ປະເພດຜະລິດ 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 +127,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),ນ້ໍາລວມທັງຫມົດຂອງຊຸດການ. ປົກກະຕິແລ້ວນ້ໍາຫນັກສຸດທິ + ຫຸ້ມຫໍ່ນ້ໍາອຸປະກອນການ. (ສໍາລັບການພິມ) @@ -3053,8 +3064,9 @@ 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} ບໍ່ໄດ້ສົ່ງ DocType: Customs Tariff Number,Tariff Number,ຈໍານວນພາສີ +DocType: Production Order Item,Available Qty at WIP Warehouse,ສາມາດໃຊ້ໄດ້ຈໍານວນທີ່ Warehouse WIP apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ຄາດ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Warehouse {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,ຫມາຍເຫດ: ລະບົບຈະບໍ່ກວດສອບໃນໄລຍະການຈັດສົ່ງແລະໃນໄລຍະການຈອງສໍາລັບລາຍການ {0} ກັບປະລິມານຫຼືຈໍານວນເງິນທັງຫມົດ 0 DocType: Notification Control,Quotation Message,ວົງຢືມຂໍ້ຄວາມ DocType: Employee Loan,Employee Loan Application,ຄໍາຮ້ອງສະຫມັກເງິນກູ້ພະນັກງານ @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ລູກຈ້າງຄ່າໃຊ້ຈ່າຍຈໍານວນເງິນ Voucher apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໂດຍຜູ້ສະຫນອງ. DocType: POS Profile,Write Off Account,ຂຽນ Off ບັນຊີ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ເດບິດຫມາຍເຫດ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ເດບິດຫມາຍເຫດ Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ຈໍານວນສ່ວນລົດ DocType: Purchase Invoice,Return Against Purchase Invoice,ກັບຄືນຕໍ່ຊື້ 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 +207,e.g. VAT,ຕົວຢ່າງພາສີ +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,ອະນຸສັນຍາ @@ -3087,7 +3099,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 +1945,Please select customer,ກະລຸນາເລືອກລູກຄ້າ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,ກະລຸນາເລືອກລູກຄ້າ DocType: C-Form,I,ຂ້າພະເຈົ້າ DocType: Company,Asset Depreciation Cost Center,Asset Center ຄ່າເສື່ອມລາຄາຄ່າໃຊ້ຈ່າຍ DocType: Sales Order Item,Sales Order Date,ວັນທີ່ສະຫມັກໃບສັ່ງຂາຍ @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,ທີ່ຢູ່ Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ພັກເປັນການບັງຄັບ DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ຊື່ກະທູ້ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,atleast ຫນຶ່ງຂອງການຂາຍຫຼືຊື້ຕ້ອງໄດ້ຮັບການຄັດເລືອກ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,atleast ຫນຶ່ງຂອງການຂາຍຫຼືຊື້ຕ້ອງໄດ້ຮັບການຄັດເລືອກ apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ເລືອກລັກສະນະຂອງທຸລະກິດຂອງທ່ານ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ແຖວ # {0}: ຊ້ໍາເຂົ້າໃນການອ້າງອິງ {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ບ່ອນທີ່ການດໍາເນີນງານການຜະລິດກໍາລັງດໍາເນີນ. @@ -3125,7 +3137,7 @@ 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}" DocType: Employee,Confirmation Date,ວັນທີ່ສະຫມັກການຢັ້ງຢືນ DocType: C-Form,Total Invoiced Amount,ຈໍານວນອະນຸທັງຫມົດ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min ຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວານ້ໍາຈໍານວນ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min ຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວານ້ໍາຈໍານວນ DocType: Account,Accumulated Depreciation,ຄ່າເສື່ອມລາຄາສະສົມ DocType: Stock Entry,Customer or Supplier Details,ລູກຄ້າຫຼືຜູ້ຜະລິດລາຍລະອຽດ DocType: Employee Loan Application,Required by Date,ທີ່ກໍານົດໄວ້ by Date @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ການສ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ຊື່ບໍລິສັດບໍ່ສາມາດບໍລິສັດ apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ຫົວຫນ້າຈົດຫມາຍສະບັບສໍາລັບການພິມແມ່ແບບ. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ຫົວຂໍ້ສໍາລັບແມ່ແບບພິມເຊັ່ນ Proforma Invoice. +DocType: Program Enrollment,Walking,ຍ່າງ DocType: Student Guardian,Student Guardian,ຜູ້ປົກຄອງນັກສຶກສາ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ຄ່າບໍລິການປະເພດການປະເມີນຄ່າບໍ່ສາມາດເຮັດເຄື່ອງຫມາຍເປັນ Inclusive DocType: POS Profile,Update Stock,ຫລັກຊັບ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> ປະເພດຜະລິດ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ທີ່ແຕກຕ່າງກັນສໍາລັບລາຍການທີ່ຈະນໍາໄປສູ່ການທີ່ບໍ່ຖືກຕ້ອງ (Total) ຄ່ານ້ໍາຫນັກສຸດທິ. ໃຫ້ແນ່ໃຈວ່ານ້ໍາຫນັກສຸດທິຂອງແຕ່ລະລາຍການແມ່ນຢູ່ໃນ UOM ດຽວກັນ. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM ອັດຕາ DocType: Asset,Journal Entry for Scrap,ວາລະສານການອອກສຽງ Scrap @@ -3211,7 +3223,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,"ສະແດງໃຫ້ເຫັນອາການພັກຜ່ອນ, ເຖິງ" apps/erpnext/erpnext/accounts/party.py +308,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,ບໍ່ພົບຂໍ້ມູນນັກສຶກສາ @@ -3231,14 +3242,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No ນັກສຶກສາໃນ +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 +108,Please enter 'Expected Delivery Date',ກະລຸນາໃສ່ 'ວັນທີຄາດວ່າສົ່ງ' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN ບໍ່ຖືກຕ້ອງຫຼືກະລຸນາໃສ່ສະພາແຫ່ງຊາດສໍາລັບບຸກຄົນທົ່ວໄປ +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,GSTIN ບໍ່ຖືກຕ້ອງຫຼືກະລຸນາໃສ່ສະພາແຫ່ງຊາດສໍາລັບບຸກຄົນທົ່ວໄປ DocType: Training Event,Seminar,ການສໍາມະນາ DocType: Program Enrollment Fee,Program Enrollment Fee,ຄ່າທໍານຽມການລົງທະບຽນໂຄງການ DocType: Item,Supplier Items,ການສະຫນອງ @@ -3268,21 +3279,23 @@ DocType: Sales Team,Contribution (%),ການປະກອບສ່ວນ (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ຫມາຍເຫດ: ແບບການຊໍາລະເງິນຈະບໍ່ໄດ້ຮັບການສ້າງຂຶ້ນຕັ້ງແຕ່ 'ເງິນສົດຫຼືບັນຊີທະນາຄານບໍ່ໄດ້ລະບຸ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ຄວາມຮັບຜິດຊອບ DocType: Expense Claim Account,Expense Claim Account,ບັນຊີຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ +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: Sales Person,Sales Person Name,Sales Person ຊື່ apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,ກະລຸນາໃສ່ atleast 1 ໃບເກັບເງິນໃນຕາຕະລາງ +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,ເພີ່ມຜູ້ໃຊ້ DocType: POS Item Group,Item Group,ກຸ່ມສິນຄ້າ DocType: Item,Safety Stock,Stock ຄວາມປອດໄພ apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% ຄວາມຄືບຫນ້າສໍາລັບວຽກງານທີ່ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 100. DocType: Stock Reconciliation Item,Before reconciliation,ກ່ອນທີ່ຈະ reconciliation apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ເພື່ອ {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ພາສີອາກອນແລະຄ່າບໍລິການເພີ່ມ (ບໍລິສັດສະກຸນເງິນ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row ພາສີລາຍ {0} ຕ້ອງມີບັນຊີຂອງສ່ວຍສາອາກອນປະເພດຫຼືລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍຫຼື Chargeable +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row ພາສີລາຍ {0} ຕ້ອງມີບັນຊີຂອງສ່ວຍສາອາກອນປະເພດຫຼືລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍຫຼື Chargeable DocType: Sales Order,Partly Billed,ບິນສ່ວນຫນຶ່ງແມ່ນ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ລາຍການ {0} ຈະຕ້ອງເປັນລາຍການຊັບສິນຄົງທີ່ DocType: Item,Default BOM,ມາດຕະຖານ BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ເດບິດຫມາຍເຫດຈໍານວນ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ເດບິດຫມາຍເຫດຈໍານວນ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ກະລຸນາປະເພດຊື່ບໍລິສັດຢືນຢັນ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,ທັງຫມົດ Amt ເດັ່ນ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,ທັງຫມົດ Amt ເດັ່ນ DocType: Journal Entry,Printing Settings,ການຕັ້ງຄ່າການພິມ DocType: Sales Invoice,Include Payment (POS),ລວມການຊໍາລະເງິນ (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ເດບິດທັງຫມົດຈະຕ້ອງເທົ່າທຽມກັນກັບການປ່ອຍສິນເຊື່ອທັງຫມົດ. ຄວາມແຕກຕ່າງກັນເປັນ {0} @@ -3290,20 +3303,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ຍາ DocType: Vehicle,Insurance Company,ບໍລິສັດປະກັນໄພ DocType: Asset Category Account,Fixed Asset Account,ບັນຊີຊັບສົມບັດຄົງ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,ການປ່ຽນແປງ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ຈາກການສົ່ງເງິນ +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ຈາກການສົ່ງເງິນ DocType: Student,Student Email Address,ທີ່ຢູ່ອີເມວຂອງນັກຮຽນ DocType: Timesheet Detail,From Time,ຈາກທີ່ໃຊ້ເວລາ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ໃນສາງ: DocType: Notification Control,Custom Message,ຂໍ້ຄວາມ Custom apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ທະນາຄານການລົງທຶນ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ເງິນສົດຫຼືທະນາຄານບັນຊີເປັນການບັງຄັບສໍາລັບການເຮັດເຂົ້າການຊໍາລະເງິນ -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ທີ່ຢູ່ Student apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ທີ່ຢູ່ 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 +1517,Address Name,ລິງທີ່ກ່ຽວຂ້ອງ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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,7 +3332,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ. +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/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,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນເງິນກູ້ @@ -3328,7 +3340,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,ນັກສຶກສາແມ່ນໄດ້ລົງທະບຽນແລ້ວ. @@ -3337,7 +3349,7 @@ DocType: Process Payroll,Process Payroll,Payroll ຂະບວນການ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,ມີວັນພັກຫຼາຍກ່ວາມື້ທີ່ເຮັດວຽກໃນເດືອນນີ້ແມ່ນ. DocType: Product Bundle Item,Product Bundle Item,ຜະລິດຕະພັນ Bundle Item DocType: Sales Partner,Sales Partner Name,ຊື່ Partner ຂາຍ -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,ການຮ້ອງຂໍສໍາລັບວົງຢືມ DocType: Payment Reconciliation,Maximum Invoice Amount,ຈໍານວນໃບເກັບເງິນສູງສຸດ DocType: Student Language,Student Language,ພາສານັກສຶກສາ apps/erpnext/erpnext/config/selling.py +23,Customers,ລູກຄ້າ @@ -3348,7 +3360,7 @@ DocType: Asset,Partially Depreciated,ຄ່າເສື່ອມລາຄາບ DocType: Issue,Opening Time,ທີ່ໃຊ້ເວລາເປີດ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ຈາກແລະໄປວັນທີ່ຄຸນຕ້ອງ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ຫຼັກຊັບແລະການແລກປ່ຽນສິນຄ້າ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant '{0}' ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ '{1}' +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 +847,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ @@ -3367,7 +3379,7 @@ 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 +266,Raw Material,ວັດຖຸດິບ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ @@ -3379,7 +3391,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ເປີດວັນທີ່ຄວນເປັນກ່ອນທີ່ຈະປິດວັນທີ່ -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: 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.,ວັນທີ່ວັນພັກແມ່ນຖືກສະກັດສໍາລັບພະແນກນີ້. @@ -3392,8 +3403,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'ການປະເມີນຄ່າແລະທັງຫມົດ' -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos ຕ້ອງການສໍາລັບລາຍການຕໍ່ເນື່ອງ {0} +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/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,ການຊໍາລະເງິນກົງກັບໃບແຈ້ງຫນີ້ DocType: Journal Entry,Bank Entry,ທະນາຄານເຂົ້າ DocType: Authorization Rule,Applicable To (Designation),ສາມາດນໍາໃຊ້ການ (ການອອກແບບ) @@ -3410,7 +3421,7 @@ 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 +270,Hour,ຊົ່ວໂມງ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3420,7 +3431,7 @@ 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 +645,Point of Sale,ຈຸດຂອງການຂາຍ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 ໂດຍຜູ້ປົກຄອງ @@ -3437,8 +3448,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 +270,Gram,ກໍາ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0. +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/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 ຫົວຫນ່ວຍ. @@ -3464,14 +3475,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 +465,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ຫຼາກຫຼາຍ @@ -3503,7 +3514,7 @@ 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 +436,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,State Billing @@ -3551,7 +3562,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},ເຫດຜົນທີ່ບໍ່ຖືກຕ້ອງ {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',ກະລຸນາເລືອກກຸ່ມການປະເມີນຜົນອື່ນທີ່ບໍ່ແມ່ນ 'ທັງຫມົດ Assessment Groups' @@ -3653,16 +3664,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,ອົງປະກອ DocType: Program Enrollment Tool,New Academic Year,ປີທາງວິຊາການໃຫມ່ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note DocType: Stock Settings,Auto insert Price List rate if missing,ໃສ່ອັດຕະໂນມັດອັດຕາລາຄາຖ້າຫາກວ່າຫາຍສາບສູນ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ຈໍານວນເງິນທີ່ຊໍາລະທັງຫມົດ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,ຈໍານວນເງິນທີ່ຊໍາລະທັງຫມົດ DocType: Production Order Item,Transferred Qty,ການຍົກຍ້າຍຈໍານວນ apps/erpnext/erpnext/config/learn.py +11,Navigating,ການຄົ້ນຫາ 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 +272,We sell this Item,ພວກເຮົາຂາຍສິນຄ້ານີ້ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,ຂໍ້ມູນຕົວຢ່າງ 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,ເຄິ່ງຫນຶ່ງຂອງວັນທີວັນ @@ -3710,7 +3723,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 +1186,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ DocType: Pricing Rule,Buying,ຊື້ DocType: HR Settings,Employee Records to be created by,ການບັນທຶກຂອງພະນັກງານຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນໂດຍ DocType: POS Profile,Apply Discount On,ສະຫມັກຕໍາ Discount On @@ -3727,13 +3740,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,ເກັບຄ່າທໍານຽມ DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} ນໍາໃຊ້ແລ້ວໃນ Item {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} ນໍາໃຊ້ແລ້ວໃນ Item {1} DocType: Lead,Add to calendar on this date,ຕື່ມການກັບປະຕິທິນໃນວັນນີ້ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ກົດລະບຽບສໍາລັບການເພີ່ມຄ່າໃຊ້ຈ່າຍໃນການຂົນສົ່ງ. DocType: Item,Opening Stock,ເປີດ Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ລູກຄ້າທີ່ຕ້ອງການ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ເປັນການບັງຄັບສໍາລັບການກັບຄືນ DocType: Purchase Order,To Receive,ທີ່ຈະໄດ້ຮັບ +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,ອີເມວສ່ວນຕົວ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ຕ່າງທັງຫມົດ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ຖ້າຫາກວ່າເປີດການໃຊ້ງານ, ລະບົບຈະສະແດງການອອກສຽງການບັນຊີສໍາລັບສິນຄ້າຄົງຄັງອັດຕະໂນມັດ." @@ -3744,7 +3758,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 +541,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ຂາຍມາດຕະຖານ @@ -3752,7 +3766,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,ອອກຈາກການຮັບປະກັນ DocType: BOM Replace Tool,Replace,ທົດແທນ apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ບໍ່ມີສິນຄ້າພົບ. -DocType: Production Order,Unstopped,ເບີກ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} ກັບການຂາຍທີ່ເຊັນ {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,ຊື່ໂຄງການ @@ -3763,6 +3776,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} 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} ຫລືແລ້ວປຽບທຽບບັດອື່ນໆ @@ -3800,9 +3814,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,ຈາກ Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},ຄວາມຜິດພາດ syntax ໃນສູດຫຼືສະພາບ: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,ເຮັດບໍລິສັດ Settings Summary ປະຈໍາວັນ -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,ລາຍການ {0} ລະເລີຍຕັ້ງແຕ່ມັນບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ +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 +40,Submit this Production Order for further processing.,ຍື່ນສະເຫນີການສັ່ງຜະລິດນີ້ສໍາລັບການປຸງແຕ່ງຕື່ມອີກ. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ວຽກເຮັດງານທໍາ @@ -3810,12 +3824,14 @@ 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 +209,Rate (%),ອັດຕາການ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","ເພີ່ມຜູ້ຊົມໃຊ້ທີ່ອົງການຈັດຕັ້ງຂອງທ່ານ, ນອກຈາກຕົວທ່ານເອງ" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',ກະລຸນາຕັ້ງບໍລິສັດກັ່ນຕອງ blank ຖ້າ Group By ແມ່ນ 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,ວັນທີ່ບໍ່ສາມາດເປັນວັນໃນອະນາຄົດ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial {1} ບໍ່ກົງກັບ {2} {3}" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ອອກຈາກການບາດເຈັບແລະ @@ -3844,7 +3860,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. Column ຕ້ອງມີຊ່ອງຫວ່າງ +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 ຕ້ອງມີຊ່ອງຫວ່າງ DocType: Accounts Settings,Accounts Settings,ບັນຊີ Settings apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,ອະນຸມັດ DocType: Customer,Sales Partner and Commission,Partner ຂາຍແລະຄະນະກໍາມະ @@ -3859,7 +3875,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 ລະເບີດ Item DocType: Account,Auditor,ຜູ້ສອບບັນຊີ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ລາຍການຜະລິດ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,ການກັບຄືນມາ @@ -3873,7 +3889,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,ອັດຕາແລກປ່ຽນ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3898,18 +3914,18 @@ 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 +705,Online,ອອນໄລນ໌ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ໄດ້ຖືກປິດ DocType: Employee Loan,Repay Fixed Amount per Period,ຈ່າຍຄືນຈໍານວນເງິນທີ່ມີກໍານົດໄລຍະເວລາຕໍ່ apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ກະລຸນາໃສ່ປະລິມານສໍາລັບລາຍການ {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Note Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Credit Note Amt DocType: Employee External Work History,Employee External Work History,ພະນັກງານປະຫວັດການເຮັດ External DocType: Tax Rule,Purchase,ຊື້ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ການດຸ່ນດ່ຽງຈໍານວນ @@ -3935,7 +3951,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 +2383,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ DocType: Employee,Encashment Date,ວັນທີ່ສະຫມັກ Encashment DocType: Training Event,Internet,ອິນເຕີເນັດ DocType: Account,Stock Adjustment,ການປັບ Stock @@ -3965,6 +3981,7 @@ DocType: Guardian,Guardian Of ,ຜູ້ປົກຄອງຂອງ DocType: Grading Scale Interval,Threshold,ໃກ້ຈະເຂົ້າສູ່ DocType: BOM Replace Tool,Current BOM,BOM ປັດຈຸບັນ apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,ເພີ່ມບໍ່ມີ Serial +DocType: Production Order Item,Available Qty at Source Warehouse,ສາມາດໃຊ້ໄດ້ຈໍານວນທີ່ມາ Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,ການຮັບປະກັນ DocType: Purchase Invoice,Debit Note Issued,Debit Note ອອກ DocType: Production Order,Warehouses,ຄັງສິນຄ້າ @@ -3980,13 +3997,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ຈໍານ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ຜູ້ຈັດການໂຄງການ ,Quoted Item Comparison,ປຽບທຽບບາຍດີທຸກທ່ານ Item apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ຫນັງສືທາງການ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ພິເສດນ້ໍາອະນຸຍາດໃຫ້ສໍາລັບລາຍການ: {0} ເປັນ {1}% +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 +279,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 +879,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ" DocType: Item,Material Issue,ສະບັບອຸປະກອນການ DocType: Hub Settings,Seller Description,ຜູ້ຂາຍລາຍລະອຽດ DocType: Employee Education,Qualification,ຄຸນສົມບັດ @@ -4010,7 +4027,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},ຈົນເຖິງວັນທີ່ຄວນຈະຢູ່ໃນປີງົບປະມານ. ສົມມຸດວ່າການ 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 +200,Cannot cancel because submitted Stock Entry {0} exists,ບໍ່ສາມາດຍົກເລີກເພາະວ່າສົ່ງ Stock Entry {0} ມີຢູ່ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ບໍ່ສາມາດຍົກເລີກເພາະວ່າສົ່ງ Stock Entry {0} ມີຢູ່ DocType: Employee Loan,Disbursement Date,ວັນທີ່ສະຫມັກນໍາເຂົ້າ DocType: Vehicle,Vehicle,ຍານພາຫະນະ DocType: Purchase Invoice,In Words,ໃນຄໍາສັບຕ່າງໆ @@ -4031,7 +4048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","ການຕັ້ງຄ່ານີ້ປີງົບປະມານເປັນຄ່າເລີ່ມຕົ້ນ, ໃຫ້ຄລິກໃສ່ 'ກໍານົດເປັນມາດຕະຖານ'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ເຂົ້າຮ່ວມ apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ການຂາດແຄນຈໍານວນ -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ DocType: Employee Loan,Repay from Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ຂໍຊໍາລະເງິນກັບ {0} {1} ສໍາລັບຈໍານວນເງິນທີ່ {2} @@ -4049,18 +4066,18 @@ 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 +1011,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial No {0} ໄດ້ຮັບແລ້ວ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} ໄດ້ຮັບແລ້ວ ,Requested Items To Be Transferred,ການຮ້ອງຂໍໃຫ້ໄດ້ຮັບການໂອນ 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 +1312,Delete permanently?,ລຶບຢ່າງຖາວອນ? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},ບໍ່ຖືກຕ້ອງ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ບໍ່ຖືກຕ້ອງ {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ລາປ່ວຍ DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Billing ຊື່ທີ່ຢູ່ @@ -4073,6 +4090,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,ຄ່າບໍລິການ DocType: Company,Change Abbreviation,ການປ່ຽນແປງສະບັບຫຍໍ້ DocType: Expense Claim Detail,Expense Date,ວັນທີ່ສະຫມັກຄ່າໃຊ້ຈ່າຍ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້ DocType: Item,Max Discount (%),ນ້ໍາສ່ວນລົດ (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,ຈໍານວນຄໍາສັ່ງຫຼ້າສຸດ DocType: Task,Is Milestone,ແມ່ນເຫດການສໍາຄັນ @@ -4096,8 +4114,8 @@ DocType: Program Enrollment Tool,New Program,ໂຄງການໃຫມ່ DocType: Item Attribute Value,Attribute Value,ສະແດງມູນຄ່າ ,Itemwise Recommended Reorder Level,Itemwise ແນະນໍາຈັດລໍາດັບລະດັບ DocType: Salary Detail,Salary Detail,ຂໍ້ມູນເງິນເດືອນ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ກະລຸນາເລືອກ {0} ທໍາອິດ -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} ຂໍ້ມູນ {1} ໄດ້ຫມົດອາຍຸແລ້ວ. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,ກະລຸນາເລືອກ {0} ທໍາອິດ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} ຂໍ້ມູນ {1} ໄດ້ຫມົດອາຍຸແລ້ວ. DocType: Sales Invoice,Commission,ຄະນະກໍາມະ apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Sheet ທີ່ໃຊ້ເວລາສໍາລັບການຜະລິດ. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ການເພີ່ມເຕີມ @@ -4122,12 +4140,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 +399,Operation Time must be greater than 0 for Operation {0},ການດໍາເນີນງານທີ່ໃຊ້ເວລາຕ້ອງໄດ້ຫຼາຍກ່ວາ 0 ສໍາລັບການດໍາເນີນງານ {0} +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/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 +387,Production Order cannot be raised against a Item Template,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາຕໍ່ຕ້ານແມ່ແບບລາຍການ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,ວັນທີ່ເລີ່ມ @@ -4157,7 +4175,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,ວັນທີ່ຈໍາຫນ່າຍ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ອີເມວຈະຖືກສົ່ງໄປຫາພະນັກງານກິດຈະກໍາຂອງບໍລິສັດຢູ່ໃນຊົ່ວໂມງດັ່ງກ່າວ, ຖ້າຫາກວ່າພວກເຂົາເຈົ້າບໍ່ມີວັນພັກ. ສະຫຼຸບສັງລວມຂອງການຕອບສະຫນອງຈະໄດ້ຮັບການສົ່ງໄປຢູ່ໃນເວລາທ່ຽງຄືນ." DocType: Employee Leave Approver,Employee Leave Approver,ພະນັກງານອອກຈາກອະນຸມັດ -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ບໍ່ສາມາດປະກາດເປັນການສູນເສຍ, ເນື່ອງຈາກວ່າສະເຫນີລາຄາໄດ້ຖືກເຮັດໃຫ້." 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} ຕ້ອງໄດ້ຮັບການສົ່ງ @@ -4191,6 +4209,7 @@ DocType: Announcement,Student,ນັກສຶກສາ apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,ຫນ່ວຍບໍລິການອົງການຈັດຕັ້ງ (ຈັງຫວັດ) ຕົ້ນສະບັບ. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,ກະລຸນາໃສ່ພວກເຮົາໂທລະສັບມືຖືທີ່ຖືກຕ້ອງ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ກະລຸນາໃສ່ຂໍ້ຄວາມກ່ອນທີ່ຈະສົ່ງ +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ຊ້ໍາສໍາລັບ SUPPLIER DocType: Email Digest,Pending Quotations,ທີ່ຍັງຄ້າງ Quotations apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ຈຸດຂອງການຂາຍຂໍ້ມູນ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,ກະລຸນາປັບປຸງການຕັ້ງຄ່າ SMS @@ -4199,7 +4218,7 @@ DocType: Cost Center,Cost Center Name,ມີລາຄາຖືກຊື່ Cente DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max ຊົ່ວໂມງການເຮັດວຽກຕໍ່ Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,ວັນກໍານົດ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ມູນຄ່າລວມ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,ມູນຄ່າລວມ Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,ຂໍ້ຄວາມຫຼາຍກ່ວາ 160 ລັກສະນະຈະໄດ້ຮັບການແບ່ງປັນເຂົ້າໄປໃນຂໍ້ຄວາມຫລາຍ DocType: Purchase Receipt Item,Received and Accepted,ໄດ້ຮັບແລະຮັບການຍອມຮັບ ,GST Itemised Sales Register,GST ສິນຄ້າລາຄາລົງທະບຽນ @@ -4209,7 +4228,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 +237,Your Suppliers,ຜູ້ສະຫນອງຂອງທ່ານ +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'Vaulation ແລະລວມ @@ -4221,7 +4240,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຊື້ Reciept ຕ້ອງ == 'ໃຊ່', ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງໃບຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Image ເວັບໄຊທ໌ {0} ຕິດກັບ Item {1} ບໍ່ສາມາດໄດ້ຮັບການພົບເຫັນ +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.,ລາຍຊື່ສິນຄ້ານີ້ຢູ່ໃນກຸ່ມຫຼາກຫຼາຍກ່ຽວກັບເວັບໄຊທ໌. @@ -4236,7 +4255,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ມັນຈ apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ການຄັງສິນຄ້າ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ທັງຫມົດ Admissions ນັກສຶກສາ ,Average Commission Rate,ສະເລ່ຍອັດຕາຄະນະກໍາມະ -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'ມີບໍ່ມີ Serial' ບໍ່ສາມາດຈະ "ແມ່ນ" ລາຍການຫຼັກຊັບບໍ່ +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'ມີບໍ່ມີ Serial' ບໍ່ສາມາດຈະ "ແມ່ນ" ລາຍການຫຼັກຊັບບໍ່ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ຜູ້ເຂົ້າຮ່ວມບໍ່ສາມາດໄດ້ຮັບການຫມາຍໄວ້ສໍາລັບກໍານົດວັນທີໃນອະນາຄົດ DocType: Pricing Rule,Pricing Rule Help,ລາຄາກົດລະບຽບຊ່ວຍເຫລືອ DocType: School House,House Name,ຊື່ບ້ານ @@ -4252,7 +4271,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 +339,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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 @@ -4267,20 +4286,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບເອກະສານທີ່ໃຊ້ເວລາ {1} DocType: Vehicle Log,Odometer,ໄມ DocType: Sales Order Item,Ordered Qty,ຄໍາສັ່ງຈໍານວນ -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ +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 +874,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,ລາຍລະອຽດເຊື້ອເພີງ apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ສ້າງເງິນເດືອນ Slips -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","ການຊື້ຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","ການຊື້ຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ສ່ວນລົດຕ້ອງຫນ້ອຍກ່ວາ 100 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 +500,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,ໂຄງການລົງທະບຽນ DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher ມູນຄ່າທີ່ດິນ @@ -4343,7 +4362,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,ວັນທີທີ່ຄາດບໍ່ສາມາດກ່ອນທີ່ວັດສະດຸການຈອງວັນທີ່ DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ -DocType: Production Order,Source Warehouse (for reserving Items),Source Warehouse (ສໍາລັບສໍາຮອງຍະການ) DocType: Employee Loan,Repayment Period in Months,ໄລຍະເວລາການຊໍາລະຄືນໃນໄລຍະເດືອນ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ຄວາມຜິດພາດ: ບໍ່ເປັນ id ທີ່ຖືກຕ້ອງ? DocType: Naming Series,Update Series Number,ຈໍານວນ Series ປັບປຸງ @@ -4392,7 +4410,7 @@ DocType: Production Order,Planned End Date,ການວາງແຜນວັນ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,ບ່ອນທີ່ລາຍການເກັບຮັກສາໄວ້. DocType: Request for Quotation,Supplier Detail,ຂໍ້ມູນຈໍາຫນ່າຍ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ຄວາມຜິດພາດໃນສູດຫຼືສະພາບ: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ຈໍານວນອະນຸ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ຈໍານວນອະນຸ DocType: Attendance,Attendance,ຜູ້ເຂົ້າຮ່ວມ apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,ສິນຄ້າພ້ອມສົ່ງ DocType: BOM,Materials,ອຸປະກອນການ @@ -4433,10 +4451,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,ການຕິດຕັ້ງເວັບໄຊທ໌ງ່າຍດາຍສໍາລັບອົງການຈັດຕັ້ງຂອງຂ້າພະເຈົ້າ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0} DocType: Item,Default Warehouse,ມາດຕະຖານ Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ງົບປະມານບໍ່ສາມາດໄດ້ຮັບການມອບຫມາຍຕໍ່ບັນຊີ Group {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ກະລຸນາເຂົ້າໄປໃນສູນຄ່າໃຊ້ຈ່າຍຂອງພໍ່ແມ່ @@ -4498,7 +4516,7 @@ 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 +1344,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່ +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/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,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງພະນັກງານນີ້ @@ -4506,6 +4524,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,ປີເລີ່ມວັນທີ່ DocType: Attendance,Employee Name,ຊື່ພະນັກງານ DocType: Sales Invoice,Rounded Total (Company Currency),ກົມທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ) +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/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 +231,{0} {1} has been modified. Please refresh.,{0} {1} ໄດ້ຮັບການແກ້ໄຂ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນ. DocType: Leave Block List,Stop users from making Leave Applications on following days.,ຢຸດເຊົາການຜູ້ໃຊ້ຈາກການເຮັດໃຫ້ຄໍາຮ້ອງສະຫມັກອອກຈາກໃນມື້ດັ່ງຕໍ່ໄປນີ້. @@ -4528,7 +4547,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,ອ່ານ 3 ,Hub,Hub DocType: GL Entry,Voucher Type,ປະເພດ Voucher -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ 'ຊ້າຍ' @@ -4548,7 +4567,7 @@ DocType: POS Profile,Account for Change Amount,ບັນຊີສໍາລັບ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ຕິດຕໍ່ກັນ {0}: ພັກ / ບັນຊີບໍ່ກົງກັບ {1} / {2} ໃນ {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ກະລຸນາໃສ່ທີ່ຄຸ້ມຄ່າ DocType: Account,Stock,Stock -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ" DocType: Employee,Current Address,ທີ່ຢູ່ປະຈຸບັນ DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ຖ້າຫາກວ່າລາຍການແມ່ນ variant ຂອງລາຍການອື່ນຫຼັງຈາກນັ້ນອະທິບາຍ, ຮູບພາບ, ລາຄາ, ພາສີອາກອນແລະອື່ນໆຈະໄດ້ຮັບການກໍານົດໄວ້ຈາກແມ່ແບບເວັ້ນເສຍແຕ່ລະບຸຢ່າງຊັດເຈນ" DocType: Serial No,Purchase / Manufacture Details,ຊື້ / ລາຍລະອຽດຜະລິດ @@ -4587,11 +4606,12 @@ DocType: Student,Home Address,ທີ່ຢູ່ເຮືອນ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset ການຖ່າຍໂອນ DocType: POS Profile,POS Profile,ຂໍ້ມູນ POS DocType: Training Event,Event Name,ຊື່ກໍລະນີ -apps/erpnext/erpnext/config/schools.py +39,Admission,ເປີດປະຕູຮັບ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,ເປີດປະຕູຮັບ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ການຮັບສະຫມັກສໍາລັບການ {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","ລາຍການ {0} ເປັນແມ່ແບບໄດ້, ກະລຸນາເລືອກເອົາຫນຶ່ງຂອງ variants ຂອງຕົນ" DocType: Asset,Asset Category,ປະເພດຊັບສິນ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ຊື້ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ຈ່າຍລວມບໍ່ສາມາດກະທົບທາງລົບ DocType: SMS Settings,Static Parameters,ພາລາມິເຕີຄົງ DocType: Assessment Plan,Room,ຫ້ອງ @@ -4600,6 +4620,7 @@ DocType: Item,Item Tax,ພາສີລາຍ apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ອຸປະກອນການຜະລິດ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ອາກອນຊົມໃຊ້ໃບເກັບເງິນ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ປະກົດວ່າຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> ອານາເຂດ DocType: Expense Claim,Employees Email Id,Id ພະນັກງານ Email DocType: Employee Attendance Tool,Marked Attendance,ຜູ້ເຂົ້າຮ່ວມການເຮັດເຄື່ອງຫມາຍ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,ຫນີ້ສິນໃນປະຈຸບັນ @@ -4671,6 +4692,7 @@ DocType: Leave Type,Is Carry Forward,ແມ່ນປະຕິບັດຕໍ່ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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}" +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 ,Stock Summary,Stock Summary diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv index 6297bcb992..6693b768b8 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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ą DocType: Employee,Holiday List,Atostogų sąrašas -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,buhalteris +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,buhalteris DocType: Cost Center,Stock User,akcijų Vartotojas DocType: Company,Phone No,Telefonas Nėra apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursų tvarkaraštis sukurta: @@ -110,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} 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 +269,Kg,Kilogramas +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Neleidžiama {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Gauk elementus iš -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nerasta daiktai +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Akcijų ataskaitos DocType: Warehouse,Warehouse Detail,Sandėlių detalės apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredito limitas buvo kirto klientui {0} {1} / {2} 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.,"Kadencijos pabaigos data negali būti vėlesnė nei metų pabaigoje mokslo metų data, iki kurios terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Iš {0} ir {1} DocType: Item,Copy From Item Group,Kopijuoti Nuo punktas grupės DocType: Journal Entry,Opening Entry,atidarymas įrašas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientų> Klientų grupė> teritorija apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Sąskaita mokate tik DocType: Employee Loan,Repay Over Number of Periods,Grąžinti Over periodų skaičius DocType: Stock Entry,Additional Costs,Papildomos išlaidos @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nekilnojamasis turtas -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Sąskaitų ataskaita +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 DocType: Purchase Invoice Item,Is Fixed Asset,Ar Ilgalaikio turto apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Turimas Kiekis yra {0}, jums reikia {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,vartojimo +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Pavyzdys: Elementarioji matematika +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/config/hr.py +214,Settings for HR Module,Nustatymai HR modulio DocType: SMS Center,SMS Center,SMS centro @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Elementus ir kainodara apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Iš viso valandų: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Nuo data turėtų būti per finansinius metus. Darant prielaidą Iš data = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,kabutės DocType: Customer,Individual,individualus DocType: Interest,Academics User,akademikai Vartotojas DocType: Cheque Print Template,Amount In Figure,Suma pav @@ -265,7 +266,7 @@ DocType: Employee,Create User,Sukurti vartotoją DocType: Selling Settings,Default Territory,numatytasis teritorija apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,televizija DocType: Production Order Operation,Updated via 'Time Log',Atnaujinta per "Time Prisijungti" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Avanso suma gali būti ne didesnė kaip {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Avanso suma gali būti ne didesnė kaip {0} {1} DocType: Naming Series,Series List for this Transaction,Serija sąrašas šio sandorio DocType: Company,Enable Perpetual Inventory,Įjungti nuolatinio inventorizavimo DocType: Company,Default Payroll Payable Account,Numatytasis darbo užmokesčio mokamas paskyra @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Sandėliavimo reikalingas prieš Pateikti +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage "yra pilna, neišsaugojo" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontaktinis vardas +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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ė @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Malšinančių data turi būti didesnis nei įstoti data apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lapai per metus 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 +189,Warehouse {0} does not belong to company {1},Sandėlių {0} nepriklauso bendrovei {1} +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 +270,Litre,litrų +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Prekė {0} pasiekė savo gyvenimo pabaigos apie {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Prekė {0} pasiekė savo gyvenimo pabaigos apie {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Banko įrašai apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,metinis DocType: Stock Reconciliation Item,Stock Reconciliation Item,Akcijų Susitaikymas punktas @@ -315,7 +316,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 +316,People who teach at your organisation,"Žmonės, kurie mokyti savo organizaciją" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Leisti vartotojui redaguoti Balsuok 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 +699,Item {0} is cancelled,Prekė {0} atšaukiamas +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 +882,Material Request,medžiaga Prašymas DocType: Bank Reconciliation,Update Clearance Date,Atnaujinti Sąskaitų data DocType: Item,Purchase Details,pirkimo informacija @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,laivyno direktorius apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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ą." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} įvestas du kartus Prekės mokesčio +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} įvestas du kartus Prekės mokesčio apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Santrauka šią savaitę ir laukiant veikla DocType: Student Applicant,Admitted,pripažino DocType: Workstation,Rent Cost,nuomos kaina @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% vartojo apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Sukurti studentų grupių apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Sąranka jau baigti !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredito Pastaba suma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kredito Pastaba suma ,Finished Goods,gatavų prekių DocType: Delivery Note,Instructions,instrukcijos DocType: Quality Inspection,Inspected By,tikrina @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Sukurti naują klientų +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatymas numeracijos serijos Lankomumas per Setup> numeravimas serija apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Sukurti Pirkimų užsakymus ,Purchase Register,pirkimo Registruotis DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Įgūdis {0} pasirinktas kelis kartus požymiai lentelėje +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Įgūdis {0} pasirinktas kelis kartus požymiai lentelėje DocType: HR Settings,Employee record is created using selected field. ,Darbuotojų įrašas sukurtas naudojant pasirinktą lauką. DocType: Sales Order,Not Applicable,Netaikoma apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Atostogų meistras. @@ -529,7 +531,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 +219,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 +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/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ą" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Prašome įvesti sandėlis, kuris bus iškeltas Medžiaga Prašymas" DocType: Production Order,Additional Operating Cost,Papildoma eksploatavimo išlaidos apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kosmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Sujungti, šie savybės turi būti tokios pačios tiek daiktų" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Sujungti, šie savybės turi būti tokios pačios tiek daiktų" DocType: Shipping Rule,Net Weight,Grynas svoris DocType: Employee,Emergency Phone,avarinis telefonas apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,nupirkti @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Įdėti / Redaguoti mokesčių ir rinkliavų DocType: Purchase Invoice,Supplier Invoice No,Tiekėjas sąskaitoje Nr DocType: Territory,For reference,prašymą priimti prejudicinį sprendimą -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Negalite trinti Serijos Nr {0}, kaip ji yra naudojama akcijų sandorių" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Negalite trinti Serijos Nr {0}, kaip ji yra naudojama akcijų sandorių" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Uždarymo (CR) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Perkelti punktas DocType: Serial No,Warranty Period (Days),Garantinis laikotarpis (dienomis) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Prašome pasirinkti bendrovė ir šalies tipo pirmas apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finansų / apskaitos metus. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,sukauptos vertybės -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Atsiprašome, Eilės Nr negali būti sujungtos" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Atsiprašome, Eilės Nr negali būti sujungtos" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Padaryti pardavimo užsakymų DocType: Project Task,Project Task,Projektų Užduotis ,Lead Id,Švinas ID @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,paskirstyti apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,pardavimų Grįžti 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,Pastaba: Iš viso skiriami lapai {0} turi būti ne mažesnis nei jau patvirtintų lapų {1} laikotarpiui +,Total Stock Summary,Viso sandėlyje santrauka DocType: Announcement,Posted By,Paskelbtas DocType: Item,Delivered by Supplier (Drop Ship),Paskelbta tiekėjo (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Duomenų bazė potencialiems klientams. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Klientų duomenų DocType: Quotation,Quotation To,citatos DocType: Lead,Middle Income,vidutines pajamas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Anga (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Numatytasis Matavimo vienetas už prekę {0} negali būti pakeistas tiesiogiai, nes jūs jau padarė tam tikrą sandorį (-ius) su kitu UOM. Jums reikės sukurti naują elementą naudoti kitą numatytąjį UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Numatytasis Matavimo vienetas už prekę {0} negali būti pakeistas tiesiogiai, nes jūs jau padarė tam tikrą sandorį (-ius) su kitu UOM. Jums reikės sukurti naują elementą naudoti kitą numatytąjį UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Paskirti suma negali būti neigiama apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Prašome nurodyti Bendrovei apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Prašome nurodyti Bendrovei @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Kandidatas DocType: Assessment Plan,Maximum Assessment Score,Maksimalus vertinimo balas apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Atnaujinti banko sandorio dieną apps/erpnext/erpnext/config/projects.py +30,Time Tracking,laikas stebėjimas +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Dublikatą TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Finansiniai metai Įmonės DocType: Packing Slip Item,DN Detail,DN detalės DocType: Training Event,Conference,konferencija @@ -684,8 +688,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 +320,Timesheet created:,Lapą sukurta: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -714,7 +718,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 +139,Finish,Baigti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Baigti apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Bazė DocType: Timesheet,Total Billed Hours,Iš viso Apmokestintos valandos DocType: Journal Entry,Write Off Amount,Nurašyti suma @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,Pardavėjo Miestas ,Absent Student Report,Nėra studento ataskaitos DocType: Email Digest,Next email will be sent on:,Kitas laiškas bus išsiųstas į: DocType: Offer Letter Term,Offer Letter Term,Laiško su pasiūlymu terminas -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Prekė turi variantus. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Prekė turi variantus. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Prekė {0} nerastas DocType: Bin,Stock Value,vertybinių popierių kaina apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Įmonės {0} neegzistuoja @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Padaryti žiniaraštis +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ DocType: Company,Default Cost of Goods Sold Account,Numatytasis išlaidos parduo apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Kainų sąrašas nepasirinkote DocType: Employee,Family Background,šeimos faktai DocType: Request for Quotation Supplier,Send Email,Siųsti laišką -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Įspėjimas: Neteisingas Priedas {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nėra leidimo +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Įspėjimas: Neteisingas Priedas {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nėra leidimo 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 +269,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -866,7 +870,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 +274,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti +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/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 @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} turi būti aktyvus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijos Nr {0} nepriklauso punkte {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serijos Nr {0} nepriklauso punkte {1} DocType: Purchase Receipt Item Supplied,Required Qty,Reikalinga Kiekis apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Sandėliai su esamais sandoris negali būti konvertuojamos į knygą. DocType: Bank Reconciliation,Total Amount,Visas kiekis @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponentai apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Prašome įvesti Turto kategorija prekės {0} DocType: Quality Inspection Reading,Reading 6,Skaitymas 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Negaliu {0} {1} {2} be jokio neigiamo išskirtinis sąskaita +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Negaliu {0} {1} {2} be jokio neigiamo išskirtinis sąskaita DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkimo faktūros Advance DocType: Hub Settings,Sync Now,Sinchronizuoti dabar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Eilutės {0}: Kredito įrašas negali būti susieta su {1} @@ -992,12 +996,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 +731,New Sales Invoice,Nauja pardavimo sąskaita-faktūra +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,cheminis DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Numatytasis Bankas / Pinigų sąskaita bus automatiškai atnaujinta užmokesčių žurnalo įrašą, kai pasirinktas šis būdas." DocType: BOM,Raw Material Cost(Company Currency),Žaliavų kaina (Įmonės valiuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Visos prekės jau buvo pervestos šios produkcijos įsakymu. +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 +270,Meter,matuoklis +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą +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ą 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 @@ -1064,7 +1068,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 +259,Qty for {0},Kiekis dėl {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Pinigai / banko sąskaitos apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Nurodykite {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,"Pašalinti elementai, be jokių kiekio ar vertės pokyčius." DocType: Delivery Note,Delivery To,Pristatyti -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Įgūdis lentelė yra privalomi +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Įgūdis lentelė yra privalomi DocType: Production Planning Tool,Get Sales Orders,Gauk pardavimo užsakymus -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} negali būti neigiamas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} negali būti neigiamas apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Nuolaida DocType: Asset,Total Number of Depreciations,Viso nuvertinimai DocType: Sales Invoice Item,Rate With Margin,Norma atsargos @@ -1115,7 +1119,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 +1546,ZIP Code,Pašto kodas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1134,7 +1138,7 @@ 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 +238,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 +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/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) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Prašome nustatyti "Taikyti papildomą nuolaidą On" +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 DocType: Global Defaults,Global Defaults,Global Numatytasis @@ -1167,10 +1171,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 +22,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 +23,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 +347,Capacity Planning Error,Talpa planavimas Klaida +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Talpa planavimas Klaida ,Trial Balance for Party,Bandomoji likutis partijos DocType: Lead,Consultant,konsultantas DocType: Salary Slip,Earnings,Pajamos @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,Ar Grįžti apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} galioja eilės numeriai už prekę {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} galioja eilės numeriai už prekę {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Prekės kodas negali būti keičiamas Serial No. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS profilis {0} jau sukurtas vartotojas: {1} ir kompanija {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM konversijos faktorius @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Kainuos centras už prekę su Prekės kodas " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1242,7 +1246,7 @@ 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,Peržiūrėti Ledgeris 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Naudodami {0} punktas negali turėti Serija @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Pardavimų užsakymų {0} negalioja +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/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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Išdavimo vieta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,sutartis DocType: Email Digest,Add Quote,Pridėti Citata -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktorius reikalingas UOM: {0} prekės: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktorius reikalingas UOM: {0} prekės: {1} 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 +736,Sync Master Data,Sinchronizavimo Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Savo produktus ar paslaugas +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 DocType: Mode of Payment,Mode of Payment,mokėjimo būdas -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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. DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Tai yra šaknis punktas grupė ir negali būti pakeisti. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas +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/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ą." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Gamybos Užsakymo statusas yra {0} DocType: Appraisal Goal,Goal,Tikslas DocType: Sales Invoice Item,Edit Description,Redaguoti Aprašymas ,Team Updates,komanda Atnaujinimai @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Vaikų sandėlis egzistuoja šiame sandėlyje. Jūs negalite trinti šį sandėlį. 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 +177,Serial number {0} entered more than once,Serijos numeris {0} įvesta daugiau nei vieną kartą +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 +78,{0} items in progress,{0} elementų pažangą +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1429,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,Pristatymas Adresas Pavadinimas apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Sąskaitų planas DocType: Material Request,Terms and Conditions Content,Terminai ir sąlygos turinys apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,negali būti didesnis nei 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Prekė {0} nėra sandėlyje punktas +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Prekė {0} nėra sandėlyje punktas DocType: Maintenance Visit,Unscheduled,Neplanuotai DocType: Employee,Owned,priklauso DocType: Salary Detail,Depends on Leave Without Pay,Priklauso nuo atostogų be Pay @@ -1468,7 +1470,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 +273,We buy this Item,Perkame šį Elementą +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1479,7 +1481,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 +266,Sub Assemblies,sub Agregatai +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,sub Agregatai DocType: Asset,Asset Name,"turto pavadinimas," DocType: Project,Task Weight,užduotis Svoris DocType: Shipping Rule Condition,To Value,Vertinti @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,rasti Mokėjimo stalo Nėra įrašų apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Šis {0} prieštarauja {1} ir {2} {3} DocType: Student Attendance Tool,Students HTML,studentai HTML DocType: POS Profile,Apply Discount,taikyti nuolaidą -DocType: Purchase Invoice Item,GST HSN Code,"Paaiškėjo, kad GST HSN kodas" +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 +283,Packing Slip(s) cancelled,Pakavimo Kuponas (-ai) atšauktas @@ -1560,8 +1562,8 @@ 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 +2573,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Dėžė +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 +873,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 @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,grąžinimas būdas DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jei pažymėta, Titulinis puslapis bus numatytasis punktas grupė svetainėje" DocType: Quality Inspection Reading,Reading 4,svarstymą 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Numatytąją BOM už {0} ne projekto rasti {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Ieškiniai dėl įmonės sąskaita. 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} @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nauja užduotis apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Padaryti Citata apps/erpnext/erpnext/config/selling.py +216,Other Reports,Kiti pranešimai DocType: Dependent Task,Dependent Task,priklauso nuo darbo -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijos koeficientas pagal nutylėjimą Matavimo vienetas turi būti 1 eilės {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijos koeficientas pagal nutylėjimą Matavimo vienetas turi būti 1 eilės {0} 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} DocType: SMS Center,Receiver List,imtuvas sąrašas -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Paieška punktas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,jau baigtas +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Klientų POS ID DocType: Account,Account Name,Paskyros vardas apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Nuo data negali būti didesnis nei data -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijos Nr {0} kiekis {1} negali būti frakcija +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serijos Nr {0} kiekis {1} negali būti frakcija apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Tiekėjas tipas meistras. DocType: Purchase Order Item,Supplier Part Number,Tiekėjas Dalies numeris apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Perskaičiavimo kursas negali būti 0 arba 1 @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Automobilio išsiuntimo data +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Numatytasis Mokėtina paskyra apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nustatymai internetinėje krepšelį pavyzdžiui, laivybos taisykles, kainoraštį ir tt" @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Įtraukti atostogas DocType: Sales Invoice,Packed Items,Fasuoti daiktai apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantija pretenzija Serijos Nr DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Pakeiskite konkretų BOM visais kitais BOMs, kuriuose ji naudojama. Jis pakeis seną BOM nuorodą, atnaujinkite išlaidas ir regeneruoja "BOM sprogimo Elementą" lentelę, kaip už naują BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Iš viso" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"Iš viso" DocType: Shopping Cart Settings,Enable Shopping Cart,Įjungti Prekių krepšelis DocType: Employee,Permanent Address,Nuolatinis adresas apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ 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 DocType: Course Assessment Criteria,Weightage,weightage +DocType: Sales 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 @@ -1749,7 +1752,7 @@ DocType: Purchase Invoice,Notification Email Address,Pranešimas Elektroninio pa ,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 +699,Offline,Atsijungęs +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,pagrindinis apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variantas DocType: Naming Series,Set prefix for numbering series on your transactions,Nustatyti priešdėlis numeracijos seriją apie sandorius savo DocType: Employee Attendance Tool,Employees HTML,darbuotojai HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną 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 @@ -1779,7 +1782,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 +175,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 +173,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 @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentų grupė Stiprumas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Prieš leidinyje Įėjimo {0} neturi neprilygstamą {1} įrašą apps/erpnext/erpnext/config/hr.py +137,Appraisals,vertinimai -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicate Serijos Nr įvestas punkte {0} +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" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} turi būti pateiktas +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,mokėjimas @@ -1817,12 +1820,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,turto judėjimas -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nauja krepšelį +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Gauti prekes iš įsigijimo kvitai DocType: Serial No,Creation Date,Sukūrimo data apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Prekė {0} pasirodo kelis kartus kainoraštis {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Parduodami turi būti patikrinta, jei taikoma pasirinkta kaip {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Parduodami turi būti patikrinta, jei taikoma pasirinkta kaip {0}" DocType: Production Plan Material Request,Material Request Date,Medžiaga Prašymas data DocType: Purchase Order Item,Supplier Quotation Item,Tiekėjas Citata punktas DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Išjungia kūrimą laiko rąstų prieš Gamybos užsakymus. Veikla neturi būti stebimi nuo gamybos ordino @@ -1865,12 +1868,12 @@ DocType: Supplier,Supplier of Goods or Services.,Tiekėjas tiekiantis prekes ar DocType: Budget,Fiscal Year,Fiskaliniai metai DocType: Vehicle Log,Fuel Price,kuro Kaina DocType: Budget,Budget,biudžetas -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Ilgalaikio turto turi būti ne akcijų punktas. +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 +209,e.g. 5,pvz 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1879,7 +1882,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,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 +263,A Product or Service,Produkto ar paslaugos +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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ė @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pora +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pora apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Tikrasis Pabaigos data (per Time lapas) 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 +160,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 +342,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos +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 DocType: Shipping Rule Condition,Shipping Amount,Pristatymas suma -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Pridėti klientams +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,gautinos ,Supplier-Wise Sales Analytics,Tiekėjas išmintingas Pardavimų Analytics " apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Įveskite sumokėta suma DocType: Salary Structure,Select employees for current Salary Structure,"Pasirinkite darbuotojams už dabartinį darbo užmokesčio struktūrą," +DocType: Sales Invoice,Company Address Name,Įmonės Adresas Pavadinimas DocType: Production Order,Use Multi-Level BOM,Naudokite Multi-level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Įtraukti susitaikė įrašai 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)" @@ -2013,7 +2017,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 +269,Unit,vienetas +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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ų" @@ -2035,7 +2039,7 @@ 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/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 +1004,"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šą" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,suma skirtumas @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasifikacija klientams regione apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Skirtumas suma turi būti lygi nuliui DocType: Project,Gross Margin,bendroji marža -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Prašome įvesti Gamybos Elementą pirmas +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 +748,Quotation,Pasiūlymas @@ -2056,7 +2060,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Klientas / Švino Adresas -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Įspėjimas: Neteisingas SSL sertifikatas nuo prisirišimo {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Įspėjimas: Neteisingas SSL sertifikatas nuo prisirišimo {0} DocType: Student Admission,Eligibility,Tinkamumas apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Laidai padėti jums gauti verslo, pridėti visus savo kontaktus ir daugiau kaip jūsų laidų" DocType: Production Order Operation,Actual Operation Time,Tikrasis veikimo laikas @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,Apskaičiuokite bendras rezultatas DocType: Request for Quotation,Manufacturing Manager,gamybos direktorius apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijos Nr {0} yra garantija net iki {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Splitas Važtaraštis į paketus. -apps/erpnext/erpnext/hooks.py +87,Shipments,vežimas +apps/erpnext/erpnext/hooks.py +94,Shipments,vežimas DocType: Payment Entry,Total Allocated Amount (Company Currency),Visos skirtos sumos (Įmonės valiuta) DocType: Purchase Order Item,To be delivered to customer,Turi būti pristatytas pirkėjui DocType: BOM,Scrap Material Cost,Laužas medžiagų sąnaudos -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serijos Nr {0} nepriklauso bet Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serijos Nr {0} nepriklauso bet Warehouse DocType: Purchase Invoice,In Words (Company Currency),Žodžiais (Įmonės valiuta) DocType: Asset,Supplier,tiekėjas DocType: C-Form,Quarter,ketvirtis @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,Iš viso nedarbingumo dienų DocType: Email Digest,Note: Email will not be sent to disabled users,Pastaba: elektroninio pašto adresas nebus siunčiami neįgaliems vartotojams apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Taškų sąveika apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Taškų sąveika -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prekės kodas> Prekė grupė> Mascus Prekės Ženklo 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 +408,{0} is mandatory for Item {1},{0} yra privalomas punktas {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2142,7 +2145,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Kompensuojamos Pretenzija detalės -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Prašome pasirinkti tinkamą sąskaitą +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Trimis egzemplioriais tiekėjas +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Prašome pasirinkti tinkamą sąskaitą DocType: Item,Weight UOM,Svoris UOM DocType: Salary Structure Employee,Salary Structure Employee,"Darbo užmokesčio struktūrą, darbuotojų" DocType: Employee,Blood Group,Kraujo grupė @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,globėjai 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 +336,Debit To is required,Debeto reikalingas +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Iš viso nesumokė DocType: BOM Website Operation,BOM Website Operation,BOM svetainė Operacija apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,laiško su pasiūlymu apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Sukurti Materialieji prašymų (MRP) ir gamybos užsakymus. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Viso į sąskaitas įtraukto Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Viso į sąskaitas įtraukto Amt DocType: BOM,Conversion Rate,Perskaičiavimo kursas apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Prekės paieška DocType: Timesheet Detail,To Time,laiko @@ -2192,7 +2196,7 @@ 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šą" DocType: Training Event Employee,Training Event Employee,Mokymai Renginių Darbuotojų -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial numeriai reikalingi punkte {1}. Jūs sąlyga {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial numeriai reikalingi punkte {1}. Jūs sąlyga {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Dabartinis vertinimas Balsuok DocType: Item,Customer Item Codes,Klientų punktas kodai apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Valiutų Pelnas / nuostolis @@ -2240,7 +2244,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 +2454,Select Batch No,Pasirinkite Serija Nėra +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,leisti vartotojams DocType: Purchase Order,Customer Mobile No,Klientų Mobilus Nėra DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sekti atskirą pajamos ir išlaidos už produktų segmentus ar padalinių. DocType: Rename Tool,Rename Tool,pervadinti įrankis -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atnaujinti Kaina +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 +438,Show Salary Slip,Rodyti Pajamos Kuponas apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Pasirinkite Keisti suma sąskaita +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Pridėti Mokesčiai +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,Pirkimo kvito Ne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,rimtai Pinigai DocType: Process Payroll,Create Salary Slip,Sukurti apie darbo užmokestį apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,atsekamumas +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAT kodas 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 @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,Doktorantas DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Priežiūros planas Išsamiau DocType: Quality Inspection Reading,Reading 9,Skaitymas 9 DocType: Supplier,Is Frozen,Ar Sušaldyti -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Grupė mazgas sandėlis neleidžiama pasirinkti sandorius +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Grupė mazgas sandėlis neleidžiama pasirinkti sandorius DocType: Buying Settings,Buying Settings,Ieško Nustatymai DocType: Stock Entry Detail,BOM No. for a Finished Good Item,"BOM Nr Dėl gatavo geras straipsnis," DocType: Upload Attendance,Attendance To Date,Dalyvavimas data @@ -2332,13 +2337,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,"Jūs negalite keisti greitį, jei BOM minėta agianst bet kurį elementą" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Prašome įvesti planuojama Kiekis už prekę {0} ne eilės {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,įgaliotas Vertė DocType: BOM,Show Operations,Rodyti operacijos ,Minutes to First Response for Opportunity,Minučių iki Pirmosios atsakas Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Iš viso Nėra -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Punktas arba sandėlis eilės {0} nesutampa Medžiaga Užsisakyti +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Punktas arba sandėlis eilės {0} nesutampa Medžiaga Užsisakyti apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Matavimo vienetas DocType: Fiscal Year,Year End Date,Dienos iki metų pabaigos DocType: Task Depends On,Task Depends On,Užduotis Priklauso nuo @@ -2432,7 +2437,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 +106,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 +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/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" @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage "yra pilna, neišsaugojo" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,teisėjas +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,teisėjas DocType: Budget,Cost Center,kaina centras apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Bon # DocType: Notification Control,Purchase Order Message,Pirkimui užsakyti pranešimas @@ -2548,7 +2553,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 +1165,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 +1086,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 +773,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 @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,užduotis užbaigimas apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nėra sandėlyje DocType: Appraisal,HR User,HR Vartotojas DocType: Purchase Invoice,Taxes and Charges Deducted,Mokesčiai ir rinkliavos Išskaityta -apps/erpnext/erpnext/hooks.py +116,Issues,Problemos +apps/erpnext/erpnext/hooks.py +124,Issues,Problemos apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Statusas turi būti vienas iš {0} DocType: Sales Invoice,Debit To,debeto DocType: Delivery Note,Required only for sample item.,Reikalinga tik imties elemento. @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,teritorija apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Paminėkite nėra apsilankymų reikalingų DocType: Stock Settings,Default Valuation Method,Numatytasis vertinimo metodas +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Rinkliava DocType: Vehicle Log,Fuel Qty,kuro Kiekis DocType: Production Order Operation,Planned Start Time,Planuojamas Pradžios laikas DocType: Course,Assessment,įvertinimas @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,Citata {0} atšaukiamas -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Iš viso neapmokėta suma +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Visi pardavimo sandoriai gali būti pažymėti prieš kelis ** pardavėjai **, kad būtų galima nustatyti ir stebėti tikslus." ,S.O. No.,SO Nr -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Prašome sukurti klientui Švinas {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Prašome sukurti klientui Švinas {0} DocType: Price List,Applicable for Countries,Taikoma šalių apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,gali būti pateiktas palikti tik programas su statusu "Patvirtinta" ir "Atmesta" apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Studentų grupės pavadinimas yra privalomas eilės {0} @@ -2648,6 +2654,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/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 @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Medžiagos pernešimas ga 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.,Nuolaida procentas gali būti taikomas bet prieš kainoraštis arba visų kainų sąrašas. DocType: Purchase Invoice,Half-yearly,Kartą per pusmetį apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Apskaitos įrašas už Sandėlyje +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Jūs jau įvertintas vertinimo kriterijus {}. DocType: Vehicle Service,Engine Oil,Variklio alyva -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatymas Darbuotojų vardų sistemos žmogiškųjų išteklių> HR Nustatymai DocType: Sales Invoice,Sales Team1,pardavimų team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Prekė {0} neegzistuoja DocType: Sales Invoice,Customer Address,Klientų Adresas @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridinio asmens / Dukterinė įmonė su atskiru Chart sąskaitų, priklausančių organizacijos." DocType: Payment Request,Mute Email,Nutildyti paštas apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Maistas, gėrimai ir tabako" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisinis mokestis gali būti ne didesnė kaip 100 DocType: Stock Entry,Subcontract,subrangos sutartys apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Prašome įvesti {0} pirmas @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Studentų Mėnesio Lankomumas lapas apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Darbuotojų {0} jau yra kreipęsis dėl {1} tarp {2} ir {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekto pradžia -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,iki +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,iki DocType: Rename Tool,Rename Log,pervadinti Prisijungti apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentų grupė ar užsiėmimų tvarkaraštis yra privalomi apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentų grupė ar užsiėmimų tvarkaraštis yra privalomi @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,grįžo Kiekis DocType: Employee,Exit,išeiti apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Šaknų tipas yra privalomi DocType: BOM,Total Cost(Company Currency),Iš viso išlaidų (Įmonės valiuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijos Nr {0} sukūrė +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serijos Nr {0} sukūrė DocType: Homepage,Company Description for website homepage,Įmonės aprašymas interneto svetainės pagrindiniame puslapyje DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Dėl klientų patogumui, šie kodai gali būti naudojami spausdinimo formatus, pavyzdžiui, sąskaitose ir važtaraščiuose" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Vardas @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Vartai adresas apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kursų tvarkaraštis išbraukiama: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Rąstai išlaikyti sms būsenos DocType: Accounts Settings,Make Payment via Journal Entry,Atlikti mokėjimą per žurnalo įrašą -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Atspausdinta ant +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Atspausdinta ant DocType: Item,Inspection Required before Delivery,Patikrinimo Reikalinga prieš Pristatymas DocType: Item,Inspection Required before Purchase,Patikrinimo Reikalinga prieš perkant apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Kol veiklos @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studentų S apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,riba Crossed 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.,Akademinis terminas su šia "Akademinio metų" {0} ir "Terminas Vardas" {1} jau egzistuoja. Prašome pakeisti šiuos įrašus ir pabandykite dar kartą. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kadangi yra esami sandoriai prieš {0} elementą, jūs negalite pakeisti vertę {1}" +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}","Kadangi yra esami sandoriai prieš {0} elementą, jūs negalite pakeisti vertę {1}" DocType: UOM,Must be Whole Number,Turi būti sveikasis skaičius DocType: Leave Control Panel,New Leaves Allocated (In Days),Naujų lapų Pervedimaiį (dienomis) +DocType: Sales Invoice,Invoice Copy,sąskaitos kopiją apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijos Nr {0} neegzistuoja DocType: Sales Invoice Item,Customer Warehouse (Optional),Klientų Sandėlis (neprivalomas) DocType: Pricing Rule,Discount Percentage,Nuolaida procentas @@ -2873,8 +2881,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto arti išdavimas po 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Akcijų įrašai +DocType: Program Enrollment,Boarding Student,internatinė Studentų DocType: Asset,Expected Value After Useful Life,Tikimasi Vertė Po naudingo tarnavimo DocType: Item,Reorder level based on Warehouse,Pertvarkyti lygį remiantis Warehouse DocType: Activity Cost,Billing Rate,atsiskaitymo Balsuok @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pasirinkite studentai rankiniu veikla grindžiamo grupės DocType: Journal Entry,User Remark,vartotojas Pastaba DocType: Lead,Market Segment,Rinkos segmentas -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Sumokėta suma negali būti didesnė nei visos neigiamos nesumokėtos sumos {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Sumokėta suma negali būti didesnė nei visos neigiamos nesumokėtos sumos {0} DocType: Employee Internal Work History,Employee Internal Work History,Darbuotojų vidaus darbo Istorija apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Uždarymo (dr) DocType: Cheque Print Template,Cheque Size,Komunalinės dydis -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijos Nr {0} nėra sandėlyje +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serijos Nr {0} nėra sandėlyje apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Mokesčių šablonas pardavimo sandorius. DocType: Sales Invoice,Write Off Outstanding Amount,Nurašyti likutinę sumą apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Sąskaita {0} nesutampa su kompanija {1} @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,Pridėti keletą pavyzdžių įrašus +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2945,17 +2955,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijos Nr paketais DocType: Warranty Claim,From Company,iš Company -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma balais vertinimo kriterijai turi būti {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Suma balais vertinimo kriterijai turi būti {0}. 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 +270,Minute,Minutė +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bankas Overdraftas paskyra apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Padaryti darbo užmokestį apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Eilutė # {0}: Paskirstytas suma gali būti ne didesnis nei likutinę sumą. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Žmonės BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Žmonės BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,užtikrintos paskolos DocType: Purchase Invoice,Edit Posting Date and Time,Redaguoti Siunčiamos data ir laikas apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Prašome nustatyti Nusidėvėjimas susijusias sąskaitas Turto kategorija {0} ar kompanija {1} @@ -2992,7 +3002,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 +278,Select Quantity,Pasirinkite Kiekis +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Neleidžiama atnaujinti akcijų sandorius senesnis nei {0} DocType: Purchase Invoice Item,PR Detail,PR detalės DocType: Sales Order,Fully Billed,pilnai Įvardintas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tiekėjas tiekiantis> tiekėjas tipas 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Iš viso Sąnaudų suma (p 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 DocType: Customs Tariff Number,Tariff Number,tarifas Taškų +DocType: Production Order Item,Available Qty at WIP Warehouse,Turimas Kiekis ne WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,prognozuojama -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijos Nr {0} nepriklauso sandėlis {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serijos Nr {0} nepriklauso sandėlis {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,Pastaba: sistema netikrins per pristatymą ir per metu už prekę {0} kaip kiekis ar visa suma yra 0 DocType: Notification Control,Quotation Message,citata pranešimas DocType: Employee Loan,Employee Loan Application,Darbuotojų paraišką paskolai gauti @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Nusileido kaina kupono suma apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Vekseliai iškelti tiekėjų. DocType: POS Profile,Write Off Account,Nurašyti paskyrą -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debeto aviza Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debeto aviza Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Nuolaida suma DocType: Purchase Invoice,Return Against Purchase Invoice,Grįžti Against pirkimo faktūros 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 +207,e.g. VAT,pvz PVM +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3087,7 +3099,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 +1945,Please select customer,Prašome pasirinkti klientui +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,Adresas desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Šalis yra privalomi DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Temos pavadinimas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,"Atleast vienas, pardavimas arba pirkimas turi būti parenkamas" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,"Atleast vienas, pardavimas arba pirkimas turi būti parenkamas" apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Pasirinkite savo verslo pobūdį. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Eilutė # {0}: pasikartojantis įrašas nuorodose {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kur gamybos operacijos atliekamos. @@ -3125,7 +3137,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Kiekis negali būti didesnis nei Max Kiekis +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 DocType: Account,Accumulated Depreciation,sukauptas nusidėvėjimas DocType: Stock Entry,Customer or Supplier Details,Klientas ar tiekėjas detalės DocType: Employee Loan Application,Required by Date,Reikalauja data @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Pirkimui užs apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Įmonės pavadinimas negali būti Įmonės apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Laiškas vadovai dėl spausdinimo šablonus. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Pavadinimus spausdinimo šablonų pvz išankstinio mokėjimo sąskaitą. +DocType: Program Enrollment,Walking,vaikščiojimas DocType: Student Guardian,Student Guardian,Studentų globėjas apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Vertinimo tipas mokesčiai negali pažymėta kaip įskaičiuota DocType: POS Profile,Update Stock,Atnaujinti sandėlyje -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tiekėjas tiekiantis> tiekėjas tipas apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Įvairūs UOM daiktų bus neteisinga (iš viso) Grynasis svoris vertės. Įsitikinkite, kad grynasis svoris kiekvieno elemento yra toje pačioje UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Balsuok DocType: Asset,Journal Entry for Scrap,Žurnalo įrašą laužo @@ -3211,7 +3223,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Rodyti mokesčių lengvata viršų apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3231,14 +3242,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Numatytasis pinigų sąskaitos apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Įmonės (ne klientas ar tiekėjas) meistras. 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 +176,No Students in,Nėra Studentai +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 +108,Please enter 'Expected Delivery Date',Prašome įvesti "numatyta pristatymo data" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Neteisingas GSTIN ar Įveskite NA neregistruotas +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3279,23 @@ DocType: Sales Team,Contribution (%),Indėlis (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Pastaba: mokėjimo įrašas nebus sukurtos nuo "pinigais arba banko sąskaitos" nebuvo nurodyta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,atsakomybė DocType: Expense Claim Account,Expense Claim Account,Kompensuojamos Pretenzija paskyra +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prašome nurodyti Pavadinimų serijos {0} per Sąranka> Parametrai> Webdesign Series DocType: Sales Person,Sales Person Name,Pardavimų Asmuo Vardas apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Prašome įvesti atleast 1 sąskaitą lentelėje +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Pridėti Vartotojai DocType: POS Item Group,Item Group,Prekė grupė DocType: Item,Safety Stock,saugos kodas apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Pažanga% užduoties negali būti daugiau nei 100. DocType: Stock Reconciliation Item,Before reconciliation,prieš susitaikymo apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Norėdami {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Mokesčiai ir rinkliavos Pridėta (Įmonės valiuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Prekė Mokesčių eilutė {0} turi atsižvelgti tipo mokesčio ar pajamų ar sąnaudų arba Apmokestinimo +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Prekė Mokesčių eilutė {0} turi atsižvelgti tipo mokesčio ar pajamų ar sąnaudų arba Apmokestinimo DocType: Sales Order,Partly Billed,dalinai Įvardintas apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Prekė {0} turi būti ilgalaikio turto DocType: Item,Default BOM,numatytasis BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debeto Pastaba suma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debeto Pastaba suma apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prašome iš naujo tipo įmonės pavadinimas patvirtinti -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Visos negrąžintos Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Visos negrąžintos Amt DocType: Journal Entry,Printing Settings,Spausdinimo nustatymai DocType: Sales Invoice,Include Payment (POS),Įtraukti mokėjimą (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Iš viso debetas turi būti lygus Kreditai. Skirtumas yra {0} @@ -3290,20 +3303,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Draudimo bendrovė DocType: Asset Category Account,Fixed Asset Account,Ilgalaikio turto sąskaita apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,kintamas -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Nuo važtaraštyje +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Nuo važtaraštyje DocType: Student,Student Email Address,Studentų elektroninio pašto adresas DocType: Timesheet Detail,From Time,nuo Laikas apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Prekyboje: DocType: Notification Control,Custom Message,Pasirinktinis pranešimas apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicinės bankininkystės apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Pinigais arba banko sąskaitos yra privalomas priimant mokėjimo įrašą -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatymas numeracijos serijos Lankomumas per Setup> numeravimas serija apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentų Adresas apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentų Adresas 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 +1517,Address Name,adresas pavadinimas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3328,7 +3340,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Įveskite vertė turi būti teigiamas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3337,7 +3349,7 @@ DocType: Process Payroll,Process Payroll,procesas Darbo užmokesčio apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Yra daugiau švenčių nei darbo dienas šį mėnesį. DocType: Product Bundle Item,Product Bundle Item,Prekės Rinkinys punktas DocType: Sales Partner,Sales Partner Name,Partneriai pardavimo Vardas -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Prašymas citatos +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Prašymas citatos DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimalus Sąskaitos faktūros suma DocType: Student Language,Student Language,Studentų kalba apps/erpnext/erpnext/config/selling.py +23,Customers,klientai @@ -3348,7 +3360,7 @@ DocType: Asset,Partially Depreciated,dalinai nudėvimas DocType: Issue,Opening Time,atidarymo laikas apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"Iš ir į datas, reikalingų" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vertybinių popierių ir prekių biržose -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}"" +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 +847,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba" @@ -3367,7 +3379,7 @@ 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 +266,Raw Material,žaliava +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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" @@ -3379,7 +3391,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Atidarymo data turėtų būti prieš uždarant data -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prašome nurodyti Pavadinimų serijos {0} per Sąranka> Parametrai> Webdesign Series 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." @@ -3392,8 +3403,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Eilės Nr Reikalinga už Serijinis punkte {0} +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/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ų DocType: Journal Entry,Bank Entry,bankas įrašas DocType: Authorization Rule,Applicable To (Designation),Taikoma (paskyrimas) @@ -3410,7 +3421,7 @@ 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 +270,Hour,valanda +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3420,7 +3431,7 @@ DocType: Item,Default Material Request Type,Numatytasis Medžiaga Prašymas tipa 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 +645,Point of Sale,Pardavimo punktas +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3437,8 +3448,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 +270,Gram,gramas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0." +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/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ų." @@ -3464,14 +3475,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 +465,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 +466,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 +834,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 +835,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ų @@ -3503,7 +3514,7 @@ 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 +436,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,atsiskaitymo valstybė @@ -3551,7 +3562,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nustatymai svetainės puslapyje 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 +214,Invalid attribute {0} {1},Neteisingas atributas {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Prašome pasirinkti kitą nei "visų vertinimo grupės" įvertinimo grupė @@ -3653,16 +3664,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Atlyginimo komponentai DocType: Program Enrollment Tool,New Academic Year,Nauja akademiniai metai apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Prekių grąžinimas / Kredito Pastaba DocType: Stock Settings,Auto insert Price List rate if missing,"Automatinis įterpti Kainų sąrašas norma, jei trūksta" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Iš viso sumokėta suma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Iš viso sumokėta suma DocType: Production Order Item,Transferred Qty,perkelta Kiekis apps/erpnext/erpnext/config/learn.py +11,Navigating,navigacija apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planavimas 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 +272,We sell this Item,Mes parduodame šį Elementą +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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ų 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 @@ -3710,7 +3723,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 +1186,Please set Company,Prašome nurodyti Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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ą @@ -3727,13 +3740,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,rinkti mokesčius DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Brūkšninis kodas {0} jau naudojamas prekės {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Brūkšninis kodas {0} jau naudojamas prekės {1} DocType: Lead,Add to calendar on this date,Pridėti į kalendorių šią dieną apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Taisyklės pridedant siuntimo išlaidas. DocType: Item,Opening Stock,atidarymo sandėlyje apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klientas turi apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} yra privalomas Grįžti DocType: Purchase Order,To Receive,Gauti +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Asmeniniai paštas apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Iš viso Dispersija DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jei įjungta, sistema bus po apskaitos įrašus inventoriaus automatiškai." @@ -3744,7 +3758,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 +541,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3752,7 +3766,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Iš Garantija DocType: BOM Replace Tool,Replace,pakeisti apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nėra prekių nerasta. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} prieš pardavimo sąskaita-faktūra {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,projekto pavadinimas @@ -3763,6 +3776,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} 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ą @@ -3800,9 +3814,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,nuo spektrui apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Sintaksės klaida formulei ar būklės: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Dienos darbo santrauka Nustatymai Įmonės -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Prekė {0} ignoruojami, nes tai nėra sandėlyje punktas" +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 +40,Submit this Production Order for further processing.,Pateikti šios produkcijos Rūšiuoti tolesniam perdirbimui. +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/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 @@ -3810,12 +3824,14 @@ 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 +209,Rate (%),Tarifas (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Prašome nustatyti Įmonės filtruoti tuščias, jei Grupuoti pagal tai "kompanija"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Siunčiamos data negali būti ateitis data apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Eilutės # {0}: Serijos Nr {1} nesutampa su {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Laisvalaikio atostogos @@ -3844,7 +3860,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Akcijų Ledgeris įrašas apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Sąskaitos Nustatymai apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,patvirtinti DocType: Customer,Sales Partner and Commission,Pardavimų partneris ir Komisija @@ -3859,7 +3875,7 @@ 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 +62,{0} items produced,{0} daiktai gaminami +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3873,7 +3889,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Bendras išlaidų pretenzi 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} DocType: Journal Entry Account,Exchange Rate,Valiutos kursas -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3898,18 +3914,18 @@ 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 +705,Online,Prisijunges +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Grąžinti fiksuotas dydis vienam laikotarpis apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Prašome įvesti kiekį punkte {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredito Pastaba Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kredito Pastaba Amt DocType: Employee External Work History,Employee External Work History,Darbuotojų Išorinis Darbo istorija DocType: Tax Rule,Purchase,pirkti apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balansas Kiekis @@ -3935,7 +3951,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 +2383,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3965,6 +3981,7 @@ DocType: Guardian,Guardian Of ,sergėtojos DocType: Grading Scale Interval,Threshold,Slenkstis DocType: BOM Replace Tool,Current BOM,Dabartinis BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Pridėti Serijos Nr +DocType: Production Order Item,Available Qty at Source Warehouse,Turimas Kiekis prie šaltinio Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,garantija DocType: Purchase Invoice,Debit Note Issued,Debeto Pastaba Išduotas DocType: Production Order,Warehouses,Sandėliai @@ -3980,13 +3997,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Sumokėta suma apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projekto vadovas ,Quoted Item Comparison,Cituojamas punktas Palyginimas apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,išsiuntimas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimali nuolaida leidžiama punktu: {0} yra {1}% +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 +279,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 +879,Select Items to Manufacture,Pasirinkite prekę Gamyba -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko" +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" DocType: Item,Material Issue,medžiaga išdavimas DocType: Hub Settings,Seller Description,pardavėjas Aprašymas DocType: Employee Education,Qualification,kvalifikacija @@ -4010,7 +4027,7 @@ DocType: POS Profile,Terms and Conditions,Terminai ir sąlygos 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 +200,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 +198,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 @@ -4031,7 +4048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Norėdami nustatyti šią fiskalinių metų kaip numatytąjį, spustelėkite ant "Set as Default"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,prisijungti apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,trūkumo Kiekis -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių DocType: Employee Loan,Repay from Salary,Grąžinti iš Pajamos DocType: Leave Application,LAP/,juosmens / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},"Prašančioji mokėjimą nuo {0} {1} už sumą, {2}" @@ -4049,18 +4066,18 @@ 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 +1011,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serijos Nr {0} jau gavo +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijos Nr {0} jau gavo ,Requested Items To Be Transferred,Pageidaujami daiktai turi būti perkeltos 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 +1312,Delete permanently?,Ištrinti visam laikui? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Neteisingas {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neteisingas {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,atostogos dėl ligos DocType: Email Digest,Email Digest,paštas Digest " DocType: Delivery Note,Billing Address Name,Atsiskaitymo Adresas Pavadinimas @@ -4073,6 +4090,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Apmokestinimo DocType: Company,Change Abbreviation,Pakeisti santrumpa DocType: Expense Claim Detail,Expense Date,Kompensuojamos data +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prekės kodas> Prekė grupė> Mascus Prekės Ženklo DocType: Item,Max Discount (%),Maksimali nuolaida (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Paskutinė užsakymo suma DocType: Task,Is Milestone,Ar Milestone @@ -4096,8 +4114,8 @@ DocType: Program Enrollment Tool,New Program,nauja programa DocType: Item Attribute Value,Attribute Value,Pavadinimas Reikšmė ,Itemwise Recommended Reorder Level,Itemwise Rekomenduojama Pertvarkyti lygis DocType: Salary Detail,Salary Detail,Pajamos detalės -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Prašome pasirinkti {0} pirmas -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Serija {0} punkto {1} yra pasibaigęs. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Prašome pasirinkti {0} pirmas +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Serija {0} punkto {1} yra pasibaigęs. DocType: Sales Invoice,Commission,Komisija apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Laikas lapas gamybai. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Tarpinė suma @@ -4122,12 +4140,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 +399,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 +394,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 +387,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 +382,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 @@ -4157,7 +4175,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Atliekų data DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Laiškai bus siunčiami į visus aktyvius bendrovės darbuotojams už tam tikrą valandą, jei jie neturi atostogų. Atsakymų santrauka bus išsiųstas vidurnaktį." DocType: Employee Leave Approver,Employee Leave Approver,Darbuotojų atostogos Tvirtintojas -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Negali paskelbti, kad prarastas, nes Citata buvo padaryta." 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 @@ -4191,6 +4209,7 @@ DocType: Announcement,Student,Studentas apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organizavimo skyrius (departamentas) meistras. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Prašome įvesti galiojantį mobiliojo nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Prašome įvesti žinutę prieš išsiunčiant +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUBLIKATAS tiekėjas DocType: Email Digest,Pending Quotations,kol Citatos apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profilis apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Atnaujinkite SMS nustatymai @@ -4199,7 +4218,7 @@ DocType: Cost Center,Cost Center Name,Kainuos centras vardas DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Maksimalus darbo laikas nuo laiko apskaitos žiniaraštis DocType: Maintenance Schedule Detail,Scheduled Date,Numatoma data -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Visų mokamų Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Visų mokamų Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Žinutės didesnis nei 160 simboliai bus padalintas į keletą pranešimų DocType: Purchase Receipt Item,Received and Accepted,Gavo ir patvirtino ,GST Itemised Sales Register,"Paaiškėjo, kad GST Detalios Pardavimų Registruotis" @@ -4209,7 +4228,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 +237,Your Suppliers,Jūsų tiekėjai +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Negali atskaityti, kai kategorija skirta "Vertinimo" arba "Vaulation ir viso"" @@ -4221,7 +4240,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Interneto svetainė Paveikslėlis {0} pridedamas prie punkto {1} negali būti rastas +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. @@ -4236,7 +4255,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ką tai daro apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,į sandėlį apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Visi Studentų Priėmimo ,Average Commission Rate,Vidutinis Komisija Balsuok -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Ar Serijos ne" negali būti "Taip" už NON-STOCK punktą +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"Ar Serijos ne" negali būti "Taip" už NON-STOCK punktą apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Dalyvavimas negali būti ženklinami ateities datas DocType: Pricing Rule,Pricing Rule Help,Kainodaros taisyklė Pagalba DocType: School House,House Name,Namas Vardas @@ -4252,7 +4271,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 +339,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 +340,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 @@ -4267,20 +4286,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Pajamos Kuponas darbuotojo {0} jau sukurta laiko lape {1} DocType: Vehicle Log,Odometer,odometras DocType: Sales Order Item,Ordered Qty,Užsakytas Kiekis -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Prekė {0} yra išjungtas +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Sukurti apie atlyginimų -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Ieško turi būti patikrinta, jei taikoma pasirinkta kaip {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Ieško turi būti patikrinta, jei taikoma pasirinkta kaip {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Nuolaida turi būti mažesnis nei 100 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 +500,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Nusileido kaina čekis @@ -4343,7 +4362,6 @@ DocType: Maintenance Visit,MV,V. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Numatoma data negali būti prieš Medžiaga prašymo pateikimo dienos DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis -DocType: Production Order,Source Warehouse (for reserving Items),Šaltinis Sandėlis (rezervuoti daiktai) DocType: Employee Loan,Repayment Period in Months,Grąžinimo laikotarpis mėnesiais apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Klaida: Negaliojantis tapatybės? DocType: Naming Series,Update Series Number,Atnaujinti serijos numeris @@ -4392,7 +4410,7 @@ DocType: Production Order,Planned End Date,Planuojamas Pabaigos data apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Kur elementai yra saugomi. DocType: Request for Quotation,Supplier Detail,tiekėjas detalės apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Klaida formulę ar būklės: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Sąskaitoje suma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Sąskaitoje suma DocType: Attendance,Attendance,lankomumas apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,atsargos DocType: BOM,Materials,medžiagos @@ -4433,10 +4451,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Sąranka paprastas svetainė mano organizacijoje +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Prašome nurodyti Įgūdis požymio reikšmę {0} +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} DocType: Item,Default Warehouse,numatytasis sandėlis apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Biudžetas negali būti skiriamas prieš grupės sąskaitoje {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Prašome įvesti patronuojanti kaštų centrą @@ -4498,7 +4516,7 @@ 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 +1344,Select or add new customer,Pasirinkite arba pridėti naujų klientų +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/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" @@ -4506,6 +4524,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatymas Darbuotojų vardų sistemos žmogiškųjų išteklių> HR Nustatymai 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 +231,{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ų. @@ -4528,7 +4547,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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" @@ -4548,7 +4567,7 @@ DocType: POS Profile,Account for Change Amount,Sąskaita už pokyčio sumą apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Eilutės {0}: Šalis / Sąskaita nesutampa su {1} / {2} į {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Prašome įvesti sąskaita paskyrą DocType: Account,Stock,ištekliai -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pirkimo tvarka, pirkimo sąskaitoje faktūroje ar žurnalo įrašą" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pirkimo tvarka, pirkimo sąskaitoje faktūroje ar žurnalo įrašą" DocType: Employee,Current Address,Dabartinis adresas DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jei elementas yra kito elemento, tada aprašymas, vaizdo, kainodara, mokesčiai ir tt bus nustatytas nuo šablono variantas, nebent aiškiai nurodyta" DocType: Serial No,Purchase / Manufacture Details,Pirkimas / Gamyba detalės @@ -4587,11 +4606,12 @@ DocType: Student,Home Address,Namų adresas apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,perduoto turto DocType: POS Profile,POS Profile,POS profilis DocType: Training Event,Event Name,Įvykio pavadinimas -apps/erpnext/erpnext/config/schools.py +39,Admission,priėmimas +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,priėmimas apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Priėmimo dėl {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Prekė {0} yra šablonas, prašome pasirinkti vieną iš jo variantai" DocType: Asset,Asset Category,turto Kategorija +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,pirkėjas apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto darbo užmokestis negali būti neigiamas DocType: SMS Settings,Static Parameters,statiniai parametrai DocType: Assessment Plan,Room,Kambarys @@ -4600,6 +4620,7 @@ DocType: Item,Item Tax,Prekė Mokesčių apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,"Medžiaga, iš Tiekėjui" apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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ą +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientų> Klientų grupė> teritorija DocType: Expense Claim,Employees Email Id,Darbuotojai elektroninio pašto numeris DocType: Employee Attendance Tool,Marked Attendance,Pažymėti Lankomumas apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Dabartiniai įsipareigojimai @@ -4671,6 +4692,7 @@ DocType: Leave Type,Is Carry Forward,Ar perkelti apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,akcijų santrauka diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv index 4981d10949..7a270ef576 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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" DocType: Employee,Holiday List,Brīvdienu saraksts -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Grāmatvedis +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Grāmatvedis DocType: Cost Center,Stock User,Stock User DocType: Company,Phone No,Tālruņa Nr apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursu Saraksti izveidots: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Aizliegts {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Dabūtu preces no -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nav atrastas preces +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,akciju Ziņojumi DocType: Warehouse,Warehouse Detail,Noliktava Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredīta limits ir šķērsojis klientam {0}{1} / {2} 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.,"Term Beigu datums nedrīkst būt vēlāk kā gadu beigu datums akadēmiskā gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},No {0} uz {1} DocType: Item,Copy From Item Group,Kopēt no posteņa grupas DocType: Journal Entry,Opening Entry,Atklāšanas Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientu> Klientu grupas> Teritorija apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konts Pay Tikai DocType: Employee Loan,Repay Over Number of Periods,Atmaksāt Over periodu skaits DocType: Stock Entry,Additional Costs,Papildu izmaksas @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Paziņojums par konta +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 DocType: Purchase Invoice Item,Is Fixed Asset,Vai pamatlīdzekļa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Pieejams Daudzums ir {0}, jums ir nepieciešams, {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Patērējamās +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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," @@ -212,12 +212,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Piemērs: Basic Mathematics +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/config/hr.py +214,Settings for HR Module,Iestatījumi HR moduļa DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Preces un cenu apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Kopējais stundu skaits: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},No datuma jābūt starp fiskālajā gadā. Pieņemot No datums = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citāti DocType: Customer,Individual,Indivīds DocType: Interest,Academics User,akadēmiķi User DocType: Cheque Print Template,Amount In Figure,Summa attēlā @@ -265,7 +266,7 @@ DocType: Employee,Create User,Izveidot lietotāju DocType: Selling Settings,Default Territory,Default Teritorija apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televīzija DocType: Production Order Operation,Updated via 'Time Log',"Atjaunināt, izmantojot ""Time Ieiet""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance summa nevar būt lielāka par {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance summa nevar būt lielāka par {0} {1} DocType: Naming Series,Series List for this Transaction,Sērija saraksts par šo darījumu DocType: Company,Enable Perpetual Inventory,Iespējot nepārtrauktās inventarizācijas DocType: Company,Default Payroll Payable Account,Default Algu Kreditoru konts @@ -273,7 +274,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 +177,For Warehouse is required before Submit,"Par noliktava ir nepieciešams, pirms iesniegt" +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Contact Name +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Atbrīvojot datums nedrīkst būt lielāks par datums savienošana apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lapām gadā 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 +189,Warehouse {0} does not belong to company {1},Noliktava {0} nepieder uzņēmumam {1} +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 +270,Litre,Litrs +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankas ieraksti apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Gada DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Samierināšanās postenis @@ -315,7 +316,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 +316,People who teach at your organisation,"Cilvēki, kuri māca jūsu organizācijā" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Atļaut lietotājam rediģēt Rate 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 +699,Item {0} is cancelled,Postenis {0} ir atcelts +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 +882,Material Request,Materiāls Pieprasījums DocType: Bank Reconciliation,Update Clearance Date,Update Klīrenss Datums DocType: Item,Purchase Details,Pirkuma Details @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,flotes vadītājs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ieraksta divreiz Vienības nodokli +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ieraksta divreiz Vienības nodokli apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Kopsavilkums par šo nedēļu un izskatāmo darbību DocType: Student Applicant,Admitted,uzņemta DocType: Workstation,Rent Cost,Rent izmaksas @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Saņemts apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Izveidot studentu grupas apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Jau Complete !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredītu piezīme summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kredītu piezīme summa ,Finished Goods,Gatavās preces DocType: Delivery Note,Instructions,Instrukcijas DocType: Quality Inspection,Inspected By,Pārbaudīti Līdz @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Izveidot jaunu Klientu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu uzstādīšana numerācijas sērijas apmeklēšanu, izmantojot Setup> numerācija Series" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Izveidot pirkuma pasūtījumu ,Purchase Register,Pirkuma Reģistrēties DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Prasme {0} izvēlēts vairākas reizes atribūtos tabulā +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Prasme {0} izvēlēts vairākas reizes atribūtos tabulā DocType: HR Settings,Employee record is created using selected field. ,"Darbinieku ieraksts tiek izveidota, izmantojot izvēlēto laukumu." DocType: Sales Order,Not Applicable,Nav piemērojams apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Brīvdienu pārvaldnieks @@ -528,7 +530,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 +219,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 +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/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" @@ -543,7 +545,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Ievadiet noliktava, par kuru Materiāls Pieprasījums tiks izvirzīts" DocType: Production Order,Additional Operating Cost,Papildus ekspluatācijas izmaksas apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmētika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Apvienoties, šādi īpašībām jābūt vienādam abiem posteņiem" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Apvienoties, šādi īpašībām jābūt vienādam abiem posteņiem" DocType: Shipping Rule,Net Weight,Neto svars DocType: Employee,Emergency Phone,Avārijas Phone apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,pirkt @@ -553,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%,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 +2428,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa +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 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 @@ -572,7 +574,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pievienot / rediģēt nodokļiem un maksājumiem DocType: Purchase Invoice,Supplier Invoice No,Piegādātāju rēķinu Nr DocType: Territory,For reference,Par atskaites -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nevar izdzēst Sērijas Nr {0}, jo tas tiek izmantots akciju darījumiem" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nevar izdzēst Sērijas Nr {0}, jo tas tiek izmantots akciju darījumiem" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Noslēguma (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Pārvietot Preci DocType: Serial No,Warranty Period (Days),Garantijas periods (dienas) @@ -593,7 +595,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Lūdzu, izvēlieties Uzņēmumu un Party tips pirmais" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanšu / grāmatvedības gadā. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Uzkrātās vērtības -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Atvainojiet, Serial Nos nevar tikt apvienots" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Atvainojiet, Serial Nos nevar tikt apvienots" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Veikt klientu pasūtījumu DocType: Project Task,Project Task,Projekta uzdevums ,Lead Id,Potenciālā klienta ID @@ -613,6 +615,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Piešķirt apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return 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,Piezīme: Kopā piešķirtie lapas {0} nedrīkst būt mazāks par jau apstiprināto lapām {1} par periodu +,Total Stock Summary,Kopā Stock kopsavilkums DocType: Announcement,Posted By,rakstīja DocType: Item,Delivered by Supplier (Drop Ship),Pasludināts ar piegādātāja (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database potenciālo klientu. @@ -621,7 +624,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Klientu datu bāzi DocType: Quotation,Quotation To,Piedāvājums: DocType: Lead,Middle Income,Middle Ienākumi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Atvere (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default mērvienība postenī {0} nevar mainīt tieši tāpēc, ka jums jau ir zināma darījuma (-us) ar citu UOM. Jums būs nepieciešams, lai izveidotu jaunu posteni, lai izmantotu citu Default UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default mērvienība postenī {0} nevar mainīt tieši tāpēc, ka jums jau ir zināma darījuma (-us) ar citu UOM. Jums būs nepieciešams, lai izveidotu jaunu posteni, lai izmantotu citu Default UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Piešķirtā summa nevar būt negatīvs apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lūdzu noteikt Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lūdzu noteikt Company @@ -643,6 +646,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maksimālais novērtējuma rādītājs apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update Bankas Darījumu datumi apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Dublikāts TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiskālā Gads Company DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,konference @@ -683,8 +687,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 +320,Timesheet created:,Kontrolsaraksts izveidots: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -713,7 +717,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 +139,Finish,apdare +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,apdare apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,bāze DocType: Timesheet,Total Billed Hours,Kopā Apmaksājamie Stundas DocType: Journal Entry,Write Off Amount,Uzrakstiet Off summa @@ -747,7 +751,7 @@ DocType: Hub Settings,Seller City,Pārdevējs City ,Absent Student Report,Nekonstatē Student pārskats DocType: Email Digest,Next email will be sent on:,Nākamais e-pastu tiks nosūtīts uz: DocType: Offer Letter Term,Offer Letter Term,Akcija vēstule termins -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Prece ir varianti. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Prece ir varianti. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} prece nav atrasta DocType: Bin,Stock Value,Stock Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Uzņēmuma {0} neeksistē @@ -794,12 +798,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,veikt laika kontrolsaraksts +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -838,13 +842,13 @@ DocType: Company,Default Cost of Goods Sold Account,Default pārdotās produkcij 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 DocType: Request for Quotation Supplier,Send Email,Sūtīt e-pastu -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Brīdinājums: Invalid Pielikums {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nav Atļaujas +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Brīdinājums: Invalid Pielikums {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nav Atļaujas 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -864,7 +868,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 +274,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts +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/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 @@ -952,14 +956,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} jābūt aktīvam +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Sērijas Nr {0} nepieder posteni {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Sērijas Nr {0} nepieder posteni {1} DocType: Purchase Receipt Item Supplied,Required Qty,Nepieciešamais Daudz apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Noliktavas ar esošo darījumu nevar pārvērst par virsgrāmatu. DocType: Bank Reconciliation,Total Amount,Kopējā summa @@ -976,7 +980,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,sastāvdaļas apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ievadiet aktīvu kategorijas postenī {0} DocType: Quality Inspection Reading,Reading 6,Lasīšana 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nevar {0} {1} {2} bez jebkāda negatīva izcili rēķins +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Nevar {0} {1} {2} bez jebkāda negatīva izcili rēķins DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkuma rēķins Advance DocType: Hub Settings,Sync Now,Sync Tagad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rinda {0}: Credit ierakstu nevar saistīt ar {1} @@ -990,12 +994,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 +731,New Sales Invoice,Jaunu pārdošanas rēķinu +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline rēķini +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1028,10 +1032,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Ķīmisks DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Naudas konts tiks automātiski atjaunināti Algu Journal Entry ja ir izvēlēts šis režīms. DocType: BOM,Raw Material Cost(Company Currency),Izejvielu izmaksas (Company valūta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,metrs +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1054,7 +1058,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 +452,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1062,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,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 +259,Qty for {0},Daudz par {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1074,9 +1078,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Naudas / bankas kontu apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Lūdzu, norādiet {0}" apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Noņemts preces bez izmaiņām daudzumā vai vērtībā. DocType: Delivery Note,Delivery To,Piegāde uz -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribūts tabula ir obligāta +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Atribūts tabula ir obligāta DocType: Production Planning Tool,Get Sales Orders,Saņemt klientu pasūtījumu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nevar būt negatīvs +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nevar būt negatīvs apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Atlaide DocType: Asset,Total Number of Depreciations,Kopējais skaits nolietojuma DocType: Sales Invoice Item,Rate With Margin,Novērtēt Ar Margin @@ -1113,7 +1117,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 +1546,ZIP Code,Pasta indekss +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1132,7 +1136,7 @@ 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 +238,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 +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/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) @@ -1157,7 +1161,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Lūdzu noteikt "piemērot papildu Atlaide On" +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 DocType: Global Defaults,Global Defaults,Globālie Noklusējumi @@ -1165,10 +1169,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 +22,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 +23,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 +347,Capacity Planning Error,Capacity Planning kļūda +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1187,7 +1191,7 @@ DocType: Purchase Invoice,Is Return,Vai Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} derīgas sērijas nos postenim {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} derīgas sērijas nos postenim {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Postenis kodekss nevar mainīt Serial Nr apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} jau izveidots lietotājam: {1} un kompānija {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Conversion Factor @@ -1197,7 +1201,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 +675,Cost Center For Item with Item Code ',"Izmaksās Center postenī ar Preces kods """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1240,7 +1244,7 @@ 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,View Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,{0} postenis nevar būt partijas @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Pasūtījumu {0} nav derīga +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/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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Izsniegšanas vieta apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Līgums DocType: Email Digest,Add Quote,Pievienot Citēt -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM Coversion faktors nepieciešama UOM: {0} postenī: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM Coversion faktors nepieciešama UOM: {0} postenī: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Jūsu Produkti vai Pakalpojumi +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 DocType: Mode of Payment,Mode of Payment,Maksājuma veidu -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Tas ir sakne posteni grupas un to nevar rediģēt. @@ -1323,14 +1327,13 @@ 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 +562,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Ražošanas Pasūtījuma statuss ir {0} DocType: Appraisal Goal,Goal,Mērķis DocType: Sales Invoice Item,Edit Description,Edit Apraksts ,Team Updates,Team Updates @@ -1346,14 +1349,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bērnu noliktava pastāv šajā noliktavā. Jūs nevarat izdzēst šo noliktavā. 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 +177,Serial number {0} entered more than once,Sērijas numurs {0} ieraksta vairāk nekā vienu reizi +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 +78,{0} items in progress,{0} preces progress +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1412,7 +1415,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Sākumpalaišanas 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,7 +1427,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1435,7 +1437,7 @@ DocType: Sales Invoice,Shipping Address Name,Piegāde Adrese Nosaukums apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontu DocType: Material Request,Terms and Conditions Content,Noteikumi un nosacījumi saturs apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nevar būt lielāks par 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Postenis {0} nav krājums punkts +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Postenis {0} nav krājums punkts DocType: Maintenance Visit,Unscheduled,Neplānotā DocType: Employee,Owned,Pieder DocType: Salary Detail,Depends on Leave Without Pay,Atkarīgs Bezalgas atvaļinājums @@ -1466,7 +1468,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 +273,We buy this Item,Mēs pirkām šo Preci +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1477,7 +1479,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 +266,Sub Assemblies,Sub Kompleksi +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1510,12 +1512,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nav atrasti Maksājuma tabulā ieraksti apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Šī {0} konflikti ar {1} uz {2} {3} DocType: Student Attendance Tool,Students HTML,studenti HTML DocType: POS Profile,Apply Discount,Piesakies Atlaide -DocType: Purchase Invoice Item,GST HSN Code,GST HSN kodekss +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 +283,Packing Slip(s) cancelled,Packing Slip (s) atcelts @@ -1558,8 +1560,8 @@ 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 +2573,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kaste +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 +873,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" @@ -1589,7 +1591,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,atmaksas metode DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ja ieslēgts, tad mājas lapa būs noklusējuma punkts grupa mājas lapā" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Default BOM par {0} nav atrasts Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Prasības attiecībā uz uzņēmuma rēķina. 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} @@ -1606,29 +1607,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,jauns uzdevums apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Padarīt citāts apps/erpnext/erpnext/config/selling.py +216,Other Reports,citas Ziņojumi DocType: Dependent Task,Dependent Task,Atkarīgs Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijas faktors noklusējuma mērvienība ir 1 kārtas {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijas faktors noklusējuma mērvienība ir 1 kārtas {0} 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} DocType: SMS Center,Receiver List,Uztvērējs Latviešu -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Meklēt punkts +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,jau pabeigts +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Klienta POS ID DocType: Account,Account Name,Konta nosaukums apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,No datums nevar būt lielāks par līdz šim datumam -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Sērijas Nr {0} daudzums {1} nevar būt daļa +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Sērijas Nr {0} daudzums {1} nevar būt daļa apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Piegādātājs Type meistars. DocType: Purchase Order Item,Supplier Part Number,Piegādātājs Part Number apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Konversijas ātrums nevar būt 0 vai 1 @@ -1636,6 +1637,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Transportlīdzekļu Nosūtīšanas datums +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Default Kreditoru konts apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Iestatījumi tiešsaistes iepirkšanās grozs, piemēram, kuģošanas noteikumus, cenrādi uc" @@ -1692,7 +1694,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,"Iekļaut brīvdien DocType: Sales Invoice,Packed Items,Iepakotas preces apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantijas Prasījums pret Sērijas Nr DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Aizstāt īpašu BOM visos citos BOMs kur tas tiek lietots. Tas aizstās veco BOM saiti, atjaunināt izmaksas un reģenerēt ""BOM Explosion Vienība"" galda, kā par jaunu BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Kopā' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Kopā' DocType: Shopping Cart Settings,Enable Shopping Cart,Ieslēgt Grozs DocType: Employee,Permanent Address,Pastāvīga adrese apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1728,6 +1730,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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" @@ -1747,7 +1750,7 @@ 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 +699,Offline,Bezsaistē +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1764,7 +1767,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Galvenais apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variants DocType: Naming Series,Set prefix for numbering series on your transactions,Uzstādīt tituls numerāciju sērijas par jūsu darījumiem DocType: Employee Attendance Tool,Employees HTML,darbinieki HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni 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 @@ -1777,7 +1780,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 +175,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 +173,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 @@ -1787,7 +1790,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentu grupa Strength apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Pret Vēstnesī Entry {0} nav nekādas nesaskaņota {1} ierakstu apps/erpnext/erpnext/config/hr.py +137,Appraisals,vērtējumi -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dublēt Sērijas Nr stājās postenī {0} +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" @@ -1796,7 +1799,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} jāiesniedz +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Maksājums @@ -1815,12 +1818,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset kustība -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Jauns grozs +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1846,7 +1849,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dabūtu preces no pirkumu čekus DocType: Serial No,Creation Date,Izveides datums apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Šķiet postenis {0} vairākas reizes Cenrādī {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Pārdošanas ir jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Pārdošanas ir jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}" DocType: Production Plan Material Request,Material Request Date,Materiāls pieprasījums Datums DocType: Purchase Order Item,Supplier Quotation Item,Piegādātāja Piedāvājuma postenis DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Izslēdz izveidi laika apaļkoku pret pasūtījumu. Darbības nedrīkst izsekot pret Ražošanas uzdevums @@ -1863,12 +1866,12 @@ DocType: Supplier,Supplier of Goods or Services.,Preču piegādātājam vai paka DocType: Budget,Fiscal Year,Fiskālā gads DocType: Vehicle Log,Fuel Price,degvielas cena DocType: Budget,Budget,Budžets -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Ilgtermiņa ieguldījumu postenim jābūt ne-akciju posteni. +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 +209,e.g. 5,"piemēram, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1877,7 +1880,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,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 +263,A Product or Service,Produkts vai pakalpojums +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1952,7 +1955,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pāris +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pāris apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1971,10 +1974,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Faktiskā Beigu datums (via laiks lapas) 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 +160,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 +342,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta +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 DocType: Shipping Rule Condition,Shipping Amount,Piegāde Summa -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Pievienot Klienti +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1991,6 +1994,7 @@ DocType: Journal Entry,Accounts Receivable,Debitoru parādi ,Supplier-Wise Sales Analytics,Piegādātājs-Wise Sales Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Ievadiet samaksātā summa DocType: Salary Structure,Select employees for current Salary Structure,Izvēlieties darbiniekiem par pašreizējo algu struktūra +DocType: Sales Invoice,Company Address Name,Uzņēmuma adrese Name DocType: Production Order,Use Multi-Level BOM,Lietojiet Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Iekļaut jāsaskaņo Ieraksti 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)" @@ -2011,7 +2015,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 +269,Unit,Vienība +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -2033,7 +2037,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,summa Starpība @@ -2042,7 +2046,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasifikācija klientiem pa reģioniem apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Starpības summa ir nulle DocType: Project,Gross Margin,Bruto peļņa -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Ievadiet Ražošanas Prece pirmais +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 +748,Quotation,Piedāvājums @@ -2054,7 +2058,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Klients / Lead adrese -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Brīdinājums: Invalid SSL sertifikātu par arestu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Brīdinājums: Invalid SSL sertifikātu par arestu {0} DocType: Student Admission,Eligibility,Tiesības apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Sasaistes palīdzēt jums iegūt biznesa, pievienot visus savus kontaktus un vairāk kā jūsu rezultātā" DocType: Production Order Operation,Actual Operation Time,Faktiskais Darbības laiks @@ -2073,11 +2077,11 @@ DocType: Appraisal,Calculate Total Score,Aprēķināt kopējo punktu skaitu DocType: Request for Quotation,Manufacturing Manager,Ražošanas vadītājs apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Sērijas Nr {0} ir garantijas līdz pat {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Piegāde piezīme paketēs. -apps/erpnext/erpnext/hooks.py +87,Shipments,Sūtījumi +apps/erpnext/erpnext/hooks.py +94,Shipments,Sūtījumi DocType: Payment Entry,Total Allocated Amount (Company Currency),Kopējā piešķirtā summa (Company valūta) DocType: Purchase Order Item,To be delivered to customer,Jāpiegādā klientam DocType: BOM,Scrap Material Cost,Lūžņi materiālu izmaksas -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Sērijas Nr {0} nepieder nevienai noliktavā +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Sērijas Nr {0} nepieder nevienai noliktavā DocType: Purchase Invoice,In Words (Company Currency),Vārdos (Company valūta) DocType: Asset,Supplier,Piegādātājs DocType: C-Form,Quarter,Ceturksnis @@ -2092,11 +2096,10 @@ DocType: Leave Application,Total Leave Days,Kopā atvaļinājuma dienām DocType: Email Digest,Note: Email will not be sent to disabled users,Piezīme: e-pasts netiks nosūtīts invalīdiem apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Skaits mijiedarbības apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Skaits mijiedarbības -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prece Kods> Prece Group> Brand 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 +408,{0} is mandatory for Item {1},{0} ir obligāta postenī {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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ā" @@ -2140,7 +2143,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Izdevumu Pretenzija Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Lūdzu, izvēlieties pareizo kontu" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Trīs eksemplāros piegādātājs +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Lūdzu, izvēlieties pareizo kontu" DocType: Item,Weight UOM,Svara Mērvienība DocType: Salary Structure Employee,Salary Structure Employee,Alga Struktūra Darbinieku DocType: Employee,Blood Group,Asins Group @@ -2162,7 +2166,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debets ir nepieciešama +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2175,7 +2179,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Pavisam Neapmaksā DocType: BOM Website Operation,BOM Website Operation,BOM Mājas Darbība apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Piedāvājuma vēstule apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Izveidot Materiāls Pieprasījumi (MRP) un pasūtījumu. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Kopējo rēķinā Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Kopējo rēķinā Amt DocType: BOM,Conversion Rate,Conversion Rate apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produktu meklēšana DocType: Timesheet Detail,To Time,Uz laiku @@ -2190,7 +2194,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Training Event Darbinieku -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} kārtas numurus, kas nepieciešami postenī {1}. Jums ir sniegušas {2}." +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} kārtas numurus, kas nepieciešami postenī {1}. Jums ir sniegušas {2}." DocType: Stock Reconciliation Item,Current Valuation Rate,Pašreizējais Vērtēšanas Rate DocType: Item,Customer Item Codes,Klientu punkts Codes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gain / zaudējumi @@ -2238,7 +2242,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 +2454,Select Batch No,Izvēlieties Partijas Nr +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2262,19 +2266,19 @@ DocType: Leave Block List,Allow Users,Atļaut lietotājiem DocType: Purchase Order,Customer Mobile No,Klientu Mobile Nr DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Izsekot atsevišķu ieņēmumi un izdevumi produktu vertikālēm vai nodaļām. DocType: Rename Tool,Rename Tool,Pārdēvēt rīks -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atjaunināt izmaksas +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 +438,Show Salary Slip,Rādīt Alga Slip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,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 +741,Select change amount account,Izvēlieties Mainīt summu konts +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Pievienot Nodokļi +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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ā @@ -2285,6 +2289,7 @@ DocType: Stock Entry,Purchase Receipt No,Pirkuma čeka Nr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Rokas naudas DocType: Process Payroll,Create Salary Slip,Izveidot algas lapu apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izsekojamība +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC kodekss 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 @@ -2314,7 +2319,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Uzturēšanas grafika detaļas DocType: Quality Inspection Reading,Reading 9,Lasīšana 9 DocType: Supplier,Is Frozen,Vai Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Group mezglu noliktava nav atļauts izvēlēties darījumiem +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Group mezglu noliktava nav atļauts izvēlēties darījumiem DocType: Buying Settings,Buying Settings,Pērk iestatījumi DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Nē par gatavo labi posteni DocType: Upload Attendance,Attendance To Date,Apmeklējumu Lai datums @@ -2330,13 +2335,13 @@ 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 +164,{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 +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}" 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,"Jūs nevarat mainīt likmi, ja BOM minēja agianst jebkuru posteni" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ievadiet Plānotais Daudzums postenī {0} pēc kārtas {1} @@ -2358,7 +2363,7 @@ DocType: Authorization Rule,Authorized Value,Autorizēts Value DocType: BOM,Show Operations,Rādīt Operations ,Minutes to First Response for Opportunity,Minūtes First Response par Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Kopā Nav -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mērvienības DocType: Fiscal Year,Year End Date,Gada beigu datums DocType: Task Depends On,Task Depends On,Uzdevums Atkarīgs On @@ -2430,7 +2435,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 +106,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 +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/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 @@ -2528,9 +2533,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Izmaksas Center apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Kuponu # DocType: Notification Control,Purchase Order Message,Pasūtījuma Ziņa @@ -2546,7 +2551,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 +1165,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 +1086,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 +773,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 @@ -2565,7 +2570,7 @@ DocType: Project,Task Completion,uzdevums pabeigšana apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nav noliktavā DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Nodokļi un maksājumi Atskaitīts -apps/erpnext/erpnext/hooks.py +116,Issues,Jautājumi +apps/erpnext/erpnext/hooks.py +124,Issues,Jautājumi apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Statuss ir jābūt vienam no {0} DocType: Sales Invoice,Debit To,Debets DocType: Delivery Note,Required only for sample item.,Nepieciešams tikai paraugu posteni. @@ -2594,6 +2599,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Teritorija apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Lūdzu, norādiet neviena apmeklējumu nepieciešamo" DocType: Stock Settings,Default Valuation Method,Default Vērtēšanas metode +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Maksa DocType: Vehicle Log,Fuel Qty,degvielas Daudz DocType: Production Order Operation,Planned Start Time,Plānotais Sākuma laiks DocType: Course,Assessment,novērtējums @@ -2603,12 +2609,12 @@ 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 +149,Quotation {0} is cancelled,Piedāvājums {0} ir atcelts -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Kopējā nesaņemtā summa +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Visi pārdošanas darījumi var tagged pret vairāku ** pārdevēji **, lai jūs varat noteikt un kontrolēt mērķus." ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Lūdzu, izveidojiet Klientam no Svins {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Lūdzu, izveidojiet Klientam no Svins {0}" DocType: Price List,Applicable for Countries,Piemērojams valstīs apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Atstājiet Pieteikumus ar statusu tikai "Apstiprināts" un "Noraidīts" var iesniegt apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Grupas nosaukums ir obligāta kārtas {0} @@ -2646,6 +2652,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/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 @@ -2688,8 +2695,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materiāls pārsūtīšan 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.,Atlaide Procentos var piemērot vai nu pret Cenrādī vai visām Cenrāža. DocType: Purchase Invoice,Half-yearly,Reizi pusgadā apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Grāmatvedības Entry par noliktavā +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Jūs jau izvērtēta vērtēšanas kritērijiem {}. DocType: Vehicle Service,Engine Oil,Motora eļļas -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lūdzu uzstādīšana Darbinieku nosaukumu sistēmai cilvēkresursu> HR Settings DocType: Sales Invoice,Sales Team1,Sales team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Postenis {0} nepastāv DocType: Sales Invoice,Customer Address,Klientu adrese @@ -2717,7 +2724,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridiskā persona / meitas uzņēmums ar atsevišķu kontu plānu, kas pieder Organizācijai." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Pārtika, dzērieni un tabakas" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisijas likme nevar būt lielāka par 100 DocType: Stock Entry,Subcontract,Apakšlīgumu apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ievadiet {0} pirmais @@ -2745,7 +2752,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Mēneša Apmeklējumu lapa apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Darbinieku {0} jau ir pieprasījis {1} no {2} un {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekta sākuma datums -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Līdz +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Līdz DocType: Rename Tool,Rename Log,Pārdēvēt Ieiet apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentu grupas vai Kursu grafiks ir obligāts apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentu grupas vai Kursu grafiks ir obligāts @@ -2770,7 +2777,7 @@ DocType: Purchase Order Item,Returned Qty,Atgriezās Daudz DocType: Employee,Exit,Izeja apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Sakne Type ir obligāts DocType: BOM,Total Cost(Company Currency),Kopējās izmaksas (Company valūta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Sērijas Nr {0} izveidots +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Sērijas Nr {0} izveidots DocType: Homepage,Company Description for website homepage,Uzņēmuma apraksts mājas lapas sākumlapā DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Par ērtības klientiem, šie kodi var izmantot drukas formātos, piemēram, rēķinos un pavadzīmēs" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name @@ -2791,7 +2798,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kursu Saraksti svītro: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Baļķi uzturēšanai sms piegādes statusu DocType: Accounts Settings,Make Payment via Journal Entry,Veikt maksājumus caur Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed On +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On DocType: Item,Inspection Required before Delivery,Pārbaude Nepieciešamais pirms Piegāde DocType: Item,Inspection Required before Purchase,"Pārbaude nepieciešams, pirms pirkuma" apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Neapstiprinātas aktivitātes @@ -2823,9 +2830,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Par apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed 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.,Akadēmiskā termins ar šo "mācību gada" {0} un "Termina nosaukums" {1} jau eksistē. Lūdzu mainīt šos ierakstus un mēģiniet vēlreiz. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Tā kā ir esošie darījumi pret posteni {0}, jūs nevarat mainīt vērtību {1}" +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}","Tā kā ir esošie darījumi pret posteni {0}, jūs nevarat mainīt vērtību {1}" DocType: UOM,Must be Whole Number,Jābūt veselam skaitlim DocType: Leave Control Panel,New Leaves Allocated (In Days),Jaunas lapas Piešķirtas (dienās) +DocType: Sales Invoice,Invoice Copy,Rēķina kopija apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Sērijas Nr {0} nepastāv DocType: Sales Invoice Item,Customer Warehouse (Optional),Klientu Noliktava (pēc izvēles) DocType: Pricing Rule,Discount Percentage,Atlaide procentuālā @@ -2871,8 +2879,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto tuvu Issue pēc 7 d 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Iesaldēt krājumu papildināšanu +DocType: Program Enrollment,Boarding Student,iekāpšanas Student DocType: Asset,Expected Value After Useful Life,"Paredzams, vērtība pēc Noderīga Life" DocType: Item,Reorder level based on Warehouse,Pārkārtot līmenis balstās uz Noliktava DocType: Activity Cost,Billing Rate,Norēķinu Rate @@ -2900,11 +2910,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Izvēlieties studenti manuāli Grupas darbības balstītas DocType: Journal Entry,User Remark,Lietotājs Piezīme DocType: Lead,Market Segment,Tirgus segmentā -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Samaksātā summa nedrīkst būt lielāka par kopējo negatīvo nenomaksātās summas {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Samaksātā summa nedrīkst būt lielāka par kopējo negatīvo nenomaksātās summas {0} DocType: Employee Internal Work History,Employee Internal Work History,Darbinieku Iekšējā Work Vēsture apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Noslēguma (Dr) DocType: Cheque Print Template,Cheque Size,Čeku Size -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Sērijas Nr {0} nav noliktavā +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Sērijas Nr {0} nav noliktavā apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Nodokļu veidni pārdošanas darījumu. DocType: Sales Invoice,Write Off Outstanding Amount,Uzrakstiet Off Izcila summa apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konta {0} nesakrīt ar uzņēmumu {1} @@ -2929,7 +2939,7 @@ 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 +348,Add a few sample records,Pievienot dažus parauga ierakstus +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2943,17 +2953,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Sērijas Nr un partijas DocType: Warranty Claim,From Company,No Company -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa rādītājus vērtēšanas kritēriju jābūt {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summa rādītājus vērtēšanas kritēriju jābūt {0}. 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 +270,Minute,Minūte +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2974,7 +2984,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Banka Overdrafts konts apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Padarīt par atalgojumu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: piešķirtā summa nedrīkst būt lielāka par nesamaksāto summu. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Pārlūkot BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Pārlūkot BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Nodrošināti aizdevumi DocType: Purchase Invoice,Edit Posting Date and Time,Labot ziņas datums un laiks apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Lūdzu noteikt nolietojuma saistīti konti aktīvu kategorijā {0} vai Uzņēmumu {1} @@ -2990,7 +3000,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 +278,Select Quantity,Izvēlieties Daudzums +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3013,6 +3023,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},"Nav atļauts izmainīt akciju darījumiem, kas vecāki par {0}" DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Pilnībā Jāmaksā +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Piegādātājs> Piegādātājs veids 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 +127,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) @@ -3051,8 +3062,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Kopā Izmaksu summa (via T 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 DocType: Customs Tariff Number,Tariff Number,tarifu skaits +DocType: Production Order Item,Available Qty at WIP Warehouse,Pieejams Daudz pie WIP noliktavā apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Prognozēts -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Sērijas Nr {0} nepieder noliktavu {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Sērijas Nr {0} nepieder noliktavu {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,Piezīme: Sistēma nepārbaudīs pārāk piegādi un pār-rezervāciju postenī {0} kā daudzums vai vērtība ir 0 DocType: Notification Control,Quotation Message,Piedāvājuma Ziņojums DocType: Employee Loan,Employee Loan Application,Darbinieku Loan Application @@ -3071,13 +3083,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Izkrauti izmaksas kuponu Summa apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Rēķini, ko piegādātāji izvirzītie." DocType: POS Profile,Write Off Account,Uzrakstiet Off kontu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Parādzīmē amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Parādzīmē amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Atlaide Summa DocType: Purchase Invoice,Return Against Purchase Invoice,Atgriezties Pret pirkuma rēķina 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 +207,e.g. VAT,"piemēram, PVN" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3085,7 +3097,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 +1945,Please select customer,"Lūdzu, izvēlieties klientu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3114,7 +3126,7 @@ DocType: Lead,Address Desc,Adrese Dilst apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Puse ir obligāta DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Tēma Name -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Jāizvēlas Vismaz viens pirkšana vai pārdošana +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Jāizvēlas Vismaz viens pirkšana vai pārdošana apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Izvēlieties raksturu jūsu biznesu. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rinda # {0}: Duplicate ierakstu atsaucēs {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Gadījumos, kad ražošanas darbības tiek veiktas." @@ -3123,7 +3135,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Daudz nevar būt lielāks par Max Daudz +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 DocType: Account,Accumulated Depreciation,uzkrātais nolietojums DocType: Stock Entry,Customer or Supplier Details,Klientu vai piegādātājs detaļas DocType: Employee Loan Application,Required by Date,Pieprasa Datums @@ -3152,10 +3164,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Pasūtījuma apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Uzņēmuma nosaukums nevar būt uzņēmums apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Vēstuļu Heads iespiesto veidnes. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Nosaukumi drukāt veidnes, piemēram, rēķins." +DocType: Program Enrollment,Walking,iešana DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Vērtēšanas veida maksājumus nevar atzīmēts kā Inclusive DocType: POS Profile,Update Stock,Update Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Piegādātājs> Piegādātājs veids apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different UOM objektus, novedīs pie nepareizas (kopā) Neto svars vērtību. Pārliecinieties, ka neto svars katru posteni ir tādā pašā UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Journal Entry metāllūžņos @@ -3209,7 +3221,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Rādīt nodokļu break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3229,14 +3240,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Default Naudas konts apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (nav Klients vai piegādātājs) kapteinis. 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 +176,No Students in,Nav Skolēni +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 +108,Please enter 'Expected Delivery Date',"Ievadiet ""piegādes paredzētais datums""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Nederīga GSTIN vai Enter NA par Nereģistrēts +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 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,21 +3277,23 @@ DocType: Sales Team,Contribution (%),Ieguldījums (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Piezīme: Maksājumu ievades netiks izveidota, jo ""naudas vai bankas konts"" netika norādīta" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Pienākumi DocType: Expense Claim Account,Expense Claim Account,Izdevumu Prasība konts +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu noteikt Naming Series {0}, izmantojot Setup> Uzstādījumi> nosaucot Series" DocType: Sales Person,Sales Person Name,Sales Person Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ievadiet Vismaz 1 rēķinu tabulā +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Pievienot lietotājus DocType: POS Item Group,Item Group,Postenis Group DocType: Item,Safety Stock,Drošības fonds apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% par uzdevumu nevar būt lielāks par 100. DocType: Stock Reconciliation Item,Before reconciliation,Pirms samierināšanās apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Uz {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Nodokļi un maksājumi Pievienoja (Company valūta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Postenis Nodokļu Row {0} ir jābūt vērā tipa nodokli vai ienākumu vai izdevumu, vai jāmaksā" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Postenis Nodokļu Row {0} ir jābūt vērā tipa nodokli vai ienākumu vai izdevumu, vai jāmaksā" DocType: Sales Order,Partly Billed,Daļēji Jāmaksā apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Prece {0} ir jābūt pamatlīdzekļu posteni DocType: Item,Default BOM,Default BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debeta piezīme Summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debeta piezīme Summa apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Lūdzu, atkārtoti tipa uzņēmuma nosaukums, lai apstiprinātu" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Kopā Izcila Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Kopā Izcila Amt DocType: Journal Entry,Printing Settings,Drukāšanas iestatījumi DocType: Sales Invoice,Include Payment (POS),Iekļaut maksājums (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Kopējais debets jābūt vienādam ar kopējās kredīta. Atšķirība ir {0} @@ -3288,20 +3301,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Apdrošināšanas sabiedrība DocType: Asset Category Account,Fixed Asset Account,Pamatlīdzekļa konts apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,mainīgs -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,No piegāde piezīme +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,No piegāde piezīme DocType: Student,Student Email Address,Student e-pasta adrese DocType: Timesheet Detail,From Time,No Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Noliktavā: DocType: Notification Control,Custom Message,Custom Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investīciju banku apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,"Nauda vai bankas konts ir obligāta, lai padarītu maksājumu ierakstu" -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu uzstādīšana numerācijas sērijas apmeklēšanu, izmantojot Setup> numerācija Series" apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentu adrese apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentu adrese 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 +1517,Address Name,Adrese nosaukums +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3318,7 +3330,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3326,7 +3338,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Ievadiet vērtība ir pozitīva +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3335,7 +3347,7 @@ DocType: Process Payroll,Process Payroll,Process Algas apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Ir vairāk svētku nekā darba dienu šajā mēnesī. DocType: Product Bundle Item,Product Bundle Item,Produkta Bundle Prece DocType: Sales Partner,Sales Partner Name,Sales Partner Name -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Pieprasījums citāti +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Pieprasījums citāti DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimālais Rēķina summa DocType: Student Language,Student Language,Student valoda apps/erpnext/erpnext/config/selling.py +23,Customers,Klienti @@ -3345,7 +3357,7 @@ DocType: Asset,Partially Depreciated,daļēji to nolietojums DocType: Issue,Opening Time,Atvēršanas laiks apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,No un uz datumiem nepieciešamo apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vērtspapīru un preču biržu -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana @@ -3364,7 +3376,7 @@ 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 +266,Raw Material,Izejviela +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3376,7 +3388,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu noteikt Naming Series {0}, izmantojot Setup> Uzstādījumi> nosaucot Series" 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ā. @@ -3389,8 +3400,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Sērijas Nos Nepieciešamais par sērijveida postenī {0} +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/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 DocType: Journal Entry,Bank Entry,Banka Entry DocType: Authorization Rule,Applicable To (Designation),Piemērojamais Lai (Apzīmējums) @@ -3407,7 +3418,7 @@ 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 +270,Hour,Stunda +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3417,7 +3428,7 @@ DocType: Item,Default Material Request Type,Default Materiāls Pieprasījuma vei 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3434,8 +3445,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 +270,Gram,grams -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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%." @@ -3461,14 +3472,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 +465,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 +466,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 +834,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 +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 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 @@ -3500,7 +3511,7 @@ 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 +436,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Norēķinu Valsts @@ -3548,7 +3559,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Iestatījumi mājas lapā mājas lapā 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 +214,Invalid attribute {0} {1},Nederīga atribūts {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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"" @@ -3650,16 +3661,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,algu komponenti DocType: Program Enrollment Tool,New Academic Year,Jaunā mācību gada apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Atgriešana / kredītu piezīmi DocType: Stock Settings,Auto insert Price List rate if missing,"Auto ievietot Cenrādis likme, ja trūkst" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Kopējais samaksāto summu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Kopējais samaksāto summu DocType: Production Order Item,Transferred Qty,Nodota Daudz apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigācija apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plānošana 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 +272,We sell this Item,Mēs pārdodam šo Preci +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3707,7 +3720,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 +1186,Please set Company,Lūdzu noteikt Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3724,13 +3737,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,savākt maksas DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Svītrkodu {0} jau izmanto postenī {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Svītrkodu {0} jau izmanto postenī {1} DocType: Lead,Add to calendar on this date,Pievienot kalendāram šajā datumā apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Noteikumi par piebilstot piegādes izmaksas. DocType: Item,Opening Stock,Atklāšanas Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klientam ir pienākums apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ir obligāta Atgriezties DocType: Purchase Order,To Receive,Saņemt +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personal Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Kopējās dispersijas DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ja ieslēgts, sistēma būs pēc grāmatvedības ierakstus inventāru automātiski." @@ -3741,7 +3755,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 +541,POS Profile required to make POS Entry,POS Profile jāveic POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3749,7 +3763,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,No Garantijas DocType: BOM Replace Tool,Replace,Aizstāt apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nav produktu atrasts. -DocType: Production Order,Unstopped,unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} pret pārdošanas rēķinu {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Projekta nosaukums @@ -3760,6 +3773,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} 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 @@ -3797,9 +3811,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,No Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Sintakses kļūda formulā vai stāvoklī: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Ikdienas darbs kopsavilkums Settings Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"{0} priekšmets ignorēt, jo tas nav akciju postenis" +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 +40,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 +102,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 @@ -3807,12 +3821,14 @@ 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 +209,Rate (%),Likme (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Lūdzu noteikt Company filtrēt tukšu, ja Group By ir "Uzņēmuma"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Norīkošanu datums nevar būt nākotnes datums apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Sērijas Nr {1} nesakrīt ar {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3841,7 +3857,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Postenis {0} nav setup Serial Nr. Kolonnas jābūt tukšs +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 DocType: Accounts Settings,Accounts Settings,Konti Settings apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,apstiprināt DocType: Customer,Sales Partner and Commission,Pārdošanas Partner un Komisija @@ -3856,7 +3872,7 @@ 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 +62,{0} items produced,{0} preces ražotas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3870,7 +3886,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Kopējo izdevumu Pretenzij 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} DocType: Journal Entry Account,Exchange Rate,Valūtas kurss -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Pasūtījumu {0} nav iesniegta +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3895,18 +3911,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Atmaksāt summu par vienu periodu apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ievadiet daudzumu postenī {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredītu piezīme Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kredītu piezīme Amt DocType: Employee External Work History,Employee External Work History,Darbinieku Ārējās Work Vēsture DocType: Tax Rule,Purchase,Pirkums apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilance Daudz @@ -3932,7 +3948,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 +2383,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3962,6 +3978,7 @@ DocType: Guardian,Guardian Of ,sargs DocType: Grading Scale Interval,Threshold,slieksnis DocType: BOM Replace Tool,Current BOM,Pašreizējā BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Pievienot Sērijas nr +DocType: Production Order Item,Available Qty at Source Warehouse,Pieejams Daudz at Avots noliktavā apps/erpnext/erpnext/config/support.py +22,Warranty,garantija DocType: Purchase Invoice,Debit Note Issued,Parādzīme Izdoti DocType: Production Order,Warehouses,Noliktavas @@ -3977,13 +3994,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Samaksātā su apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projekta vadītājs ,Quoted Item Comparison,Citēts Prece salīdzinājums apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Nosūtīšana -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max atlaide atļauta posteni: {0}{1}% +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 +279,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 +879,Select Items to Manufacture,Izvēlieties preces Rūpniecība -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku" +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" DocType: Item,Material Issue,Materiāls Issue DocType: Hub Settings,Seller Description,Pārdevējs Apraksts DocType: Employee Education,Qualification,Kvalifikācija @@ -4007,7 +4024,7 @@ DocType: POS Profile,Terms and Conditions,Noteikumi un nosacī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 +200,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 +198,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 @@ -4028,7 +4045,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Lai uzstādītu šo taksācijas gadu kā noklusējumu, noklikšķiniet uz ""Set as Default""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pievienoties apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Trūkums Daudz -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem DocType: Employee Loan,Repay from Salary,Atmaksāt no algas DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Pieprasot samaksu pret {0} {1} par summu {2} @@ -4046,18 +4063,18 @@ 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 +1011,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Sērijas Nr {0} jau ir saņēmis +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 ,Requested Items To Be Transferred,Pieprasīto pozīcijas jāpārskaita 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 +1312,Delete permanently?,Izdzēst neatgriezeniski? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Nederīga {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Nederīga {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Slimības atvaļinājums DocType: Email Digest,Email Digest,E-pasts Digest DocType: Delivery Note,Billing Address Name,Norēķinu Adrese Nosaukums @@ -4070,6 +4087,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Iekasējams DocType: Company,Change Abbreviation,Mainīt saīsinājums DocType: Expense Claim Detail,Expense Date,Izdevumu Datums +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prece Kods> Prece Group> Brand DocType: Item,Max Discount (%),Max Atlaide (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Pēdējā pasūtījuma Summa DocType: Task,Is Milestone,Vai Milestone @@ -4093,8 +4111,8 @@ DocType: Program Enrollment Tool,New Program,jaunā programma DocType: Item Attribute Value,Attribute Value,Atribūta vērtība ,Itemwise Recommended Reorder Level,Itemwise Ieteicams Pārkārtot Level DocType: Salary Detail,Salary Detail,alga Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Lūdzu, izvēlieties {0} pirmais" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Sērija {0} no posteņa {1} ir beidzies. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Lūdzu, izvēlieties {0} pirmais" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Sērija {0} no posteņa {1} ir beidzies. DocType: Sales Invoice,Commission,Komisija apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet for ražošanā. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Starpsumma @@ -4119,12 +4137,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 +399,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 +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/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 +387,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 +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/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 @@ -4154,7 +4172,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Atbrīvošanās datums DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pastu tiks nosūtīts visiem Active uzņēmuma darbiniekiem tajā konkrētajā stundā, ja viņiem nav brīvdienu. Atbilžu kopsavilkums tiks nosūtīts pusnaktī." DocType: Employee Leave Approver,Employee Leave Approver,Darbinieku Leave apstiprinātājs -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nevar atzīt par zaudēto, jo citāts ir veikts." 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 @@ -4188,6 +4206,7 @@ DocType: Announcement,Student,students apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organizācijas struktūrvienība (departaments) meistars. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ievadiet derīgus mobilos nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ievadiet ziņu pirms nosūtīšanas +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Dublikāts piegādātājs DocType: Email Digest,Pending Quotations,Līdz Citāti apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profils apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Lūdzu, atjauniniet SMS Settings" @@ -4196,7 +4215,7 @@ DocType: Cost Center,Cost Center Name,Cost Center Name DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max darba stundas pret laika kontrolsaraksts DocType: Maintenance Schedule Detail,Scheduled Date,Plānotais datums -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Kopējais apmaksātais Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Kopējais apmaksātais Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Vēstules, kas pārsniedz 160 rakstzīmes tiks sadalīta vairākos ziņas" DocType: Purchase Receipt Item,Received and Accepted,Saņemts un pieņemts ,GST Itemised Sales Register,GST atšifrējums Pārdošanas Reģistrēties @@ -4206,7 +4225,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 +237,Your Suppliers,Jūsu Piegādātāji +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nevar atskaitīt, ja kategorija ir "vērtēšanas" vai "Vaulation un Total"" @@ -4218,7 +4237,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Image {0} pievienots posteni {1} nevar atrast +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ā. @@ -4233,7 +4252,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ko tas dod? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Uz noliktavu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Visas Studentu Uzņemšana ,Average Commission Rate,Vidēji Komisija likme -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Ir Sērijas Nr"" nevar būt ""Jā"", ja nav krājumu postenis" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Ir Sērijas Nr"" nevar būt ""Jā"", ja nav krājumu postenis" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Apmeklējumu nevar atzīmēti nākamajām datumiem DocType: Pricing Rule,Pricing Rule Help,Cenu noteikums Palīdzība DocType: School House,House Name,Māja vārds @@ -4249,7 +4268,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 +339,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 +340,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 @@ -4264,20 +4283,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Alga Slip darbinieka {0} jau radīts laiks lapas {1} DocType: Vehicle Log,Odometer,odometra DocType: Sales Order Item,Ordered Qty,Pasūtīts daudzums -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Postenis {0} ir invalīds +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Izveidot algas lapas -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Pirkšana jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Pirkšana jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Atlaide jābūt mazāk nekā 100 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 +500,Default BOM for {0} not found,Default BOM par {0} nav atrasts -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Izkrauti izmaksas kuponu @@ -4340,7 +4359,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,"Paredzams, datums nevar būt pirms Material Pieprasīt Datums" DocType: Purchase Invoice Item,Stock Qty,Stock Daudz DocType: Purchase Invoice Item,Stock Qty,Stock Daudz -DocType: Production Order,Source Warehouse (for reserving Items),Source Noliktava (rezervēšanai Items) DocType: Employee Loan,Repayment Period in Months,Atmaksas periods mēnešos apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Kļūda: Nav derīgs id? DocType: Naming Series,Update Series Number,Update Series skaits @@ -4389,7 +4407,7 @@ DocType: Production Order,Planned End Date,Plānotais beigu datums apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,"Gadījumos, kad preces tiek uzglabāti." DocType: Request for Quotation,Supplier Detail,piegādātājs Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Kļūda formulu vai stāvoklī: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Rēķinā summa +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Rēķinā summa DocType: Attendance,Attendance,Apmeklētība apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,akciju preces DocType: BOM,Materials,Materiāli @@ -4430,10 +4448,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,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 +382,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 +650,Please specify Attribute Value for attribute {0},"Lūdzu, norādiet īpašības Value atribūtam {0}" +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}" DocType: Item,Default Warehouse,Default Noliktava apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budžets nevar iedalīt pret grupas kontā {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ievadiet mātes izmaksu centru @@ -4495,7 +4513,7 @@ 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 +1344,Select or add new customer,Izvēlieties vai pievienot jaunu klientu +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/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 @@ -4503,6 +4521,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lūdzu uzstādīšana Darbinieku nosaukumu sistēmai cilvēkresursu> HR Settings 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 +231,{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. @@ -4525,7 +4544,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Cenrādis nav atrasts vai invalīds +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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""" @@ -4545,7 +4564,7 @@ DocType: POS Profile,Account for Change Amount,Konts Mainīt summa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account nesakrīt ar {1} / {2} jo {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ievadiet izdevumu kontu DocType: Account,Stock,Noliktava -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no Pirkuma ordeņa, Pirkuma rēķins vai Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no Pirkuma ordeņa, Pirkuma rēķins vai Journal Entry" DocType: Employee,Current Address,Pašreizējā adrese DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ja prece ir variants citā postenī, tad aprakstu, attēlu, cenas, nodokļi utt tiks noteikts no šablona, ja vien nav skaidri norādīts" DocType: Serial No,Purchase / Manufacture Details,Pirkuma / Ražošana Details @@ -4584,11 +4603,12 @@ DocType: Student,Home Address,Mājas adrese apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Event Name -apps/erpnext/erpnext/config/schools.py +39,Admission,uzņemšana +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,uzņemšana apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Uzņemšana par {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Prece {0} ir veidne, lūdzu, izvēlieties vienu no saviem variantiem" DocType: Asset,Asset Category,Asset kategorija +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Pircējs apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto darba samaksa nevar būt negatīvs DocType: SMS Settings,Static Parameters,Statiskie Parametri DocType: Assessment Plan,Room,istaba @@ -4597,6 +4617,7 @@ DocType: Item,Item Tax,Postenis Nodokļu apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiāls piegādātājam apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientu> Klientu grupas> Teritorija DocType: Expense Claim,Employees Email Id,Darbinieki e-pasta ID DocType: Employee Attendance Tool,Marked Attendance,ievērojama apmeklējums apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Tekošo saistību @@ -4668,6 +4689,7 @@ DocType: Leave Type,Is Carry Forward,Vai Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock kopsavilkums diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv index e59bedc7ae..702ac12249 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Престана производството со цел да не може да биде укинат, отпушвам тоа прво да го откажете" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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 Добавувачот @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1} +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 +808,Invoice,Фактура DocType: Maintenance Schedule Item,Periodicity,Поените apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} е потребен @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,Работа во прогрес apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ве молиме одберете датум DocType: Employee,Holiday List,Список со Празници -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Сметководител +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Сметководител DocType: Cost Center,Stock User,Акциите пристап DocType: Company,Phone No,Телефон број apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Распоред на курсот е основан: @@ -110,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 +269,Kg,Кг +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Кг DocType: Student Log,Log,Пријавете се apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Отворање на работа. DocType: Item Attribute,Increment,Прираст @@ -120,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 +42,Not permitted for {0},Не се дозволени за {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Се предмети од -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,Не се пронајдени производи +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,Продажна Фактура Артикал @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,акции на изве DocType: Warehouse,Warehouse Detail,Магацински Детал apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитен лимит е преминаа за клиентите {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Дали е фиксни средства"" не може да е немаркирано , како што постои евиденција на средствата во однос на ставките" +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/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,Постои клиентите со исто име @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Од {0} до {1} DocType: Item,Copy From Item Group,Копија од Група ставки DocType: Journal Entry,Opening Entry,Отворање Влегување -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиентите> клиентот група> Територија apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Сметка плаќаат само DocType: Employee Loan,Repay Over Number of Periods,Отплати текот број на периоди DocType: Stock Entry,Additional Costs,Е вклучена во цената @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижнини -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Состојба на сметката +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,Лекови DocType: Purchase Invoice Item,Is Fixed Asset,Е фиксни средства apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Достапно Количина е {0}, треба {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Потрошни +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,Потрошни DocType: Employee,B-,Б- DocType: Upload Attendance,Import Log,Увоз Влез DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Повлечете материјал Барање од типот Производство врз основа на горенаведените критериуми @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,Пример: Основни математика +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/config/hr.py +214,Settings for HR Module,Прилагодувања за Модул со хумани ресурси DocType: SMS Center,SMS Center,SMS центарот @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Теми и цени apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Вкупно часови: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датумот треба да биде во рамките на фискалната година. Претпоставувајќи од датумот = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,цитати DocType: Customer,Individual,Индивидуални DocType: Interest,Academics User,академиците пристап DocType: Cheque Print Template,Amount In Figure,Износ во слика @@ -265,7 +266,7 @@ DocType: Employee,Create User,Креирај пристап DocType: Selling Settings,Default Territory,Стандардно Територија apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Телевизија DocType: Production Order Operation,Updated via 'Time Log',Ажурираат преку "Време Вклучи се ' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1} DocType: Naming Series,Series List for this Transaction,Серија Листа за оваа трансакција DocType: Company,Enable Perpetual Inventory,Овозможи Вечен Инвентар DocType: Company,Default Payroll Payable Account,Аватарот на Даноци се плаќаат сметка @@ -273,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 +177,For Warehouse is required before Submit,За Магацински се бара пред Поднесете +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Име за Контакт +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 клиентите група @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Ослободување Датум мора да биде поголема од датумот на пристап 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 +189,Warehouse {0} does not belong to company {1},Магацински {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 +270,Litre,литарски +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Остави блокирани -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банката записи apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Годишен DocType: Stock Reconciliation Item,Stock Reconciliation Item,Акции помирување Точка @@ -315,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 +316,People who teach at your organisation,Луѓето кои учат во вашата организација +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,Минимална Подреди Количина @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Им овозможи на кори DocType: Item,Publish in Hub,Објави во Hub DocType: Student Admission,Student Admission,за прием на студентите ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Точка {0} е откажана +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Точка {0} е откажана apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Материјал Барање DocType: Bank Reconciliation,Update Clearance Date,Ажурирање Чистење Датум DocType: Item,Purchase Details,Купување Детали за @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,Кружни Суд Грешка @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,Плаќање Влегување е изменета откако ќе го влечат. Ве молиме да се повлече повторно. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} влезе двапати во ставка Данок +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} влезе двапати во ставка Данок apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,"Резимето на оваа недела, а во очекување на активности" DocType: Student Applicant,Admitted,призна DocType: Workstation,Rent Cost,Изнајмување на трошоците @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Доби apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Креирај студентски групи apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Поставување веќе е завршено !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Забелешка кредит Износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Забелешка кредит Износ ,Finished Goods,Готови производи DocType: Delivery Note,Instructions,Инструкции DocType: Quality Inspection,Inspected By,Прегледано од страна на @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Креирај нов клиент +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме поставете брои серија за присуство преку поставување> нумерација Серија apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Создаде купување на налози ,Purchase Register,Купување Регистрирај се DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања." +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобалните поставувања за сите производствени процеси. DocType: Accounts Settings,Accounts Frozen Upto,Сметки замрзнати до DocType: SMS Log,Sent On,Испрати на -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} одбрани неколку пати во атрибути на табелата +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} одбрани неколку пати во атрибути на табелата DocType: HR Settings,Employee record is created using selected field. ,Рекорд вработен е креирана преку избрани поле. DocType: Sales Order,Not Applicable,Не е применливо apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Одмор господар. @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","Не може да се филтрираат врз основа на сметка, ако групирани по сметка" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ве молиме внесете Магацински за кои ќе се зголеми материјал Барање DocType: Production Order,Additional Operating Cost,Дополнителни оперативни трошоци apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Козметика -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","За да се логирате, следниве својства мора да биде иста за двата предмети" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","За да се логирате, следниве својства мора да биде иста за двата предмети" DocType: Shipping Rule,Net Weight,Нето тежина DocType: Employee,Emergency Phone,Итни Телефон apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Размислете за купување @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додај / Уреди даноци и такси DocType: Purchase Invoice,Supplier Invoice No,Добавувачот Фактура бр DocType: Territory,For reference,За референца -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Не можат да избришат сериски Не {0}, како што се користи во акции трансакции" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Не можат да избришат сериски Не {0}, како што се користи во акции трансакции" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Затворање (ЦР) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Премести ставка DocType: Serial No,Warranty Period (Days),Гарантниот период (денови) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Ве молиме изберете компанија и Партијата Тип прв apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансиски / пресметковната година. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Акумулирана вредности -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","За жал, сериски броеви не можат да се спојат" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","За жал, сериски броеви не можат да се спојат" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Направи Продај Побарувања DocType: Project Task,Project Task,Проектна задача ,Lead Id,Потенцијален клиент Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Распредели apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продажбата Враќање 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,Забелешка: Вкупно распределени лисја {0} не треба да биде помал од веќе одобрен лисја {1} за периодот +,Total Stock Summary,Вкупно Акции Резиме DocType: Announcement,Posted By,Испратено од DocType: Item,Delivered by Supplier (Drop Ship),Дадено од страна на Добавувачот (Капка Брод) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,База на податоци на потенцијални клиенти. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Клиент ба DocType: Quotation,Quotation To,Понуда за DocType: Lead,Middle Income,Среден приход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Отворање (ЦР) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Стандардна единица мерка за ставка {0} не можат да се менуваат директно затоа што веќе се направени некои трансакција (и) со друг UOM. Ќе треба да се создаде нова ставка и да се користи различен стандарден UOM. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Стандардна единица мерка за ставка {0} не можат да се менуваат директно затоа што веќе се направени некои трансакција (и) со друг UOM. Ќе треба да се создаде нова ставка и да се користи различен стандарден UOM. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Распределени износ не може да биде негативен apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ве молиме да се постави на компанијата apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ве молиме да се постави на компанијата @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Мајстори DocType: Assessment Plan,Maximum Assessment Score,Максимална оценка на рејтинг apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Ажурирање банка Термини Трансакција apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Следење на времето +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Дупликат за транспортер DocType: Fiscal Year Company,Fiscal Year Company,Фискална година компанијата DocType: Packing Slip Item,DN Detail,DN Детална DocType: Training Event,Conference,конференција @@ -684,8 +688,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 +320,Timesheet created:,Timesheet е основан: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,запишат DocType: GST Settings,GST Settings,GST Settings DocType: Selling Settings,Customer Naming By,Именувањето на клиентите со @@ -714,7 +718,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 +139,Finish,Заврши +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Заврши apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,база DocType: Timesheet,Total Billed Hours,Вкупно Опишан часа DocType: Journal Entry,Write Off Amount,Отпише Износ @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,Продавачот на градот ,Absent Student Report,Отсутни Студентски извештај DocType: Email Digest,Next email will be sent on:,Следната е-мејл ќе бидат испратени на: DocType: Offer Letter Term,Offer Letter Term,Понуда писмо Рок -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Ставка има варијанти. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Ставка има варијанти. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Точка {0} не е пронајдена DocType: Bin,Stock Value,Акции вредност apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компанијата {0} не постои @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Повеќе Правила Цена постои со истите критериуми, ве молиме да го реши конфликтот со давање приоритет. Правила Цена: {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,Не може да го деактивирате или да го откажете Бум како што е поврзано со други 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 +48,Make Timesheet,Направете timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ 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,Семејно потекло DocType: Request for Quotation Supplier,Send Email,Испрати E-mail -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Предупредување: Невалиден прилог {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Нема дозвола +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Предупредување: Невалиден прилог {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Нема дозвола 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 +269,Nos,Бр +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} @@ -866,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,Отворање Акумулирана амортизација @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} мора да биде активен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} пред да го раскине овој Одржување Посета -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Сериски № {0} не припаѓаат на Точка {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Сериски № {0} не припаѓаат на Точка {1} DocType: Purchase Receipt Item Supplied,Required Qty,Потребни Количина apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга. DocType: Bank Reconciliation,Total Amount,Вкупен износ @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,делови apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ве молиме внесете Категорија средства во точка {0} DocType: Quality Inspection Reading,Reading 6,Читање 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да се {0} {1} {2} без никакви негативни извонредна фактура +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да се {0} {1} {2} без никакви негативни извонредна фактура DocType: Purchase Invoice Advance,Purchase Invoice Advance,Купување на фактура напредување DocType: Hub Settings,Sync Now,Sync Сега apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ред {0}: Кредитни влез не можат да бидат поврзани со {1} @@ -992,12 +996,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 +731,New Sales Invoice,Нов почеток на продажбата на фактура +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Офлајн Фактури +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync Офлајн Фактури DocType: Payment Request,Paid,Платени DocType: Program Fee,Program Fee,Надомест програма DocType: Salary Slip,Total in words,Вкупно со зборови @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Хемиски DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Аватарот на банка / готовинска сметка ќе се ажурира автоматски во Плата весник Влегување кога е избран овој режим. DocType: BOM,Raw Material Cost(Company Currency),Суровина Цена (Фирма валута) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Сите ставки се веќе префрлени за оваа нарачка за производство. +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 +270,Meter,Метар +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Метар DocType: Workstation,Electricity Cost,Цената на електричната енергија DocType: HR Settings,Don't send Employee Birthday Reminders,Не праќај вработените роденден потсетници DocType: Item,Inspection Criteria,Критериуми за инспекција @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +1068,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 +259,Qty for {0},Количина за {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,Остави Забрани Листа Датуми @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Пари / банка сметка apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ве молиме наведете {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Отстранет предмети без промена во количината или вредноста. DocType: Delivery Note,Delivery To,Испорака на -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Атрибут маса е задолжително +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Атрибут маса е задолжително DocType: Production Planning Tool,Get Sales Orders,Земете Продај Нарачка -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може да биде негативен +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може да биде негативен apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Попуст DocType: Asset,Total Number of Depreciations,Вкупен број на амортизација DocType: Sales Invoice Item,Rate With Margin,Стапка со маргина @@ -1115,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 +1546,ZIP Code,Поштенски +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1138,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,Листа на неколку од вашите добавувачи. Тие можат да бидат организации или поединци. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),Минимална олово време (денови) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,Дистрибутер DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа за испорака Правило apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Производство на налози {0} мора да биде укинат пред да го раскине овој Продај Побарувања -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',Ве молиме да се постави на "Примени Дополнителни попуст на ' +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,Од опсег мора да биде помала од на опсег DocType: Global Defaults,Global Defaults,Глобална Стандардни @@ -1167,10 +1171,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 +22,First 2 digits of GSTIN should match with State number {0},Првите 2 цифри GSTIN треба да се совпаѓа со Државниот број {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Капацитет Грешка планирање +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Капацитет Грешка планирање ,Trial Balance for Party,Судскиот биланс за партија DocType: Lead,Consultant,Консултант DocType: Salary Slip,Earnings,Приходи @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,Е враќање apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Враќање / задолжување DocType: Price List Country,Price List Country,Ценовник Земја DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} валидна сериски броеви за ставката {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} валидна сериски броеви за ставката {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Точка законик не може да се промени за Сериски број apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Профил {0} веќе создадена за корисникот: {1} и компанија {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM конверзија Фактор @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Цена центар за предмет со точка законик " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","Понатаму сметки може да се направи под Групи, но записи може да се направи врз несрпското групи" @@ -1242,7 +1246,7 @@ 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,Види Леџер DocType: Grading Scale,Intervals,интервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Први -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Ставка група постои со истото име, Ве молиме да се промени името на точка или преименувате групата точка" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставката {0} не може да има Batch @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки DocType: Purchase Invoice,Rejected Warehouse,Одбиени Магацински DocType: GL Entry,Against Voucher,Против ваучер DocType: Item,Default Buying Cost Center,Стандардно Купување цена центар @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,Продај Побарувања {0} не е валиден +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Место на издавање apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Договор DocType: Email Digest,Add Quote,Додади цитат -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM фактор coversion потребни за UOM: {0} во точка: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM фактор coversion потребни за UOM: {0} во точка: {1} 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 +736,Sync Master Data,Sync мајстор на податоци -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Вашите производи или услуги +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,Вашите производи или услуги DocType: Mode of Payment,Mode of Payment,Начин на плаќање -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната DocType: Student Applicant,AP,АП DocType: Purchase Invoice Item,BOM,BOM (Список на материјали) apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ова е корен елемент група и не може да се уредува. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,Испратница {0} не е поднесен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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" поле, која може да биде точка, точка група или бренд." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Производство статус е {0} DocType: Appraisal Goal,Goal,Цел DocType: Sales Invoice Item,Edit Description,Измени Опис ,Team Updates,тим Новости @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,постои склад дете за овој склад. Не можете да ја избришете оваа склад. DocType: Item,Website Item Groups,Веб-страница Точка групи DocType: Purchase Invoice,Total (Company Currency),Вкупно (Валута на Фирма ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Сериски број {0} влегоа повеќе од еднаш +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 +78,{0} items in progress,{0} ставки во тек +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,Ова е бројот на последниот создадена трансакција со овој префикс @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,подигање 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,7 +1429,7 @@ 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 +260,Max: {0},Макс: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,Комуникација се логирате. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,Адреса за Испорака apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Сметковниот план DocType: Material Request,Terms and Conditions Content,Услови и правила Содржина apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може да биде поголема од 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Ставка {0} не е складишна ставка +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Ставка {0} не е складишна ставка DocType: Maintenance Visit,Unscheduled,Непланирана DocType: Employee,Owned,Сопственост DocType: Salary Detail,Depends on Leave Without Pay,Зависи неплатено отсуство @@ -1468,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 +273,We buy this Item,Ние купуваме Оваа содржина +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 & @@ -1479,7 +1481,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 +266,Sub Assemblies,Под собранија +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Под собранија DocType: Asset,Asset Name,Име на средства DocType: Project,Task Weight,задача на тежината DocType: Shipping Rule Condition,To Value,На вредноста @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,Извор 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 +239,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Не се пронајдени во табелата за платен записи apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ова {0} конфликти со {1} и {2} {3} DocType: Student Attendance Tool,Students HTML,студентите HTML DocType: POS Profile,Apply Discount,Спроведување на попуст -DocType: Purchase Invoice Item,GST HSN Code,GST HSN законик +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 +283,Packing Slip(s) cancelled,Пакување фиш (и) откажани @@ -1560,8 +1562,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 +2573,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Кутија +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 +873,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,Листа на приемник е празна. Ве молиме да се создаде листа ресивер @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Начин на отплата DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е означено, на почетната страница ќе биде стандардно Точка група за веб-страницата на" DocType: Quality Inspection Reading,Reading 4,Читање 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Аватарот на бирото за {0} не е пронајден за Проектот {1} 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} @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,нова зад apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Направете цитат apps/erpnext/erpnext/config/selling.py +216,Other Reports,други извештаи DocType: Dependent Task,Dependent Task,Зависни Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Фактор на конверзија за стандардно единица мерка мора да биде 1 во ред {0} +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 дена однапред. 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} DocType: SMS Center,Receiver List,Листа на примачот -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Барај точка +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,веќе завршени +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/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 +263,Quantity must not be more than {0},Кол не смее да биде повеќе од {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,Id ПОС клиентите DocType: Account,Account Name,Име на сметка apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Од датум не може да биде поголема од: Да најдам -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} количина {1} не може да биде дел +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} количина {1} не може да биде дел apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Добавувачот Тип господар. 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 @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Возило диспечерски Датум +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Купување Потврда {0} не е поднесен DocType: Company,Default Payable Account,Стандардно се плаќаат профил apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Подесувања за онлајн шопинг количка како и со правилата за испорака, ценовник, итн" @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Вклучи пра DocType: Sales Invoice,Packed Items,Спакувани Теми apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гаранција побарување врз Сериски број DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Заменете одредена Бум во сите други BOMs каде што се користи тоа. Таа ќе ја замени старата Бум линк, ажурирање на трошоците и регенерира "Бум експлозија Точка" маса, како за нови Бум" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',„Вкупно“ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',„Вкупно“ DocType: Shopping Cart Settings,Enable Shopping Cart,Овозможи Кошничка DocType: Employee,Permanent Address,Постојана адреса apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ DocType: Material Request,Transferred,пренесени DocType: Vehicle,Doors,врати apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,"Веќе има Група на клиенти со истото име, Ве молиме сменете го Името на клиентот или преименувајте ја Групата на клиенти" @@ -1749,7 +1752,7 @@ 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 +699,Offline,Надвор од мрежа +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,Подносителот на барањето за работа @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Главните apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Варијанта DocType: Naming Series,Set prefix for numbering series on your transactions,Намести префикс за нумерирање серија на вашиот трансакции DocType: Employee Attendance Tool,Employees HTML,вработените HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција DocType: Employee,Leave Encashed?,Остави Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Можност од поле е задолжително DocType: Email Digest,Annual Expenses,годишните трошоци @@ -1779,7 +1782,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 +175,Work-in-Progress Warehouse is required before Submit,Работа во прогрес Магацински се бара пред Прати +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,Законски информации и други општи информации за вашиот снабдувач @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Група на студенти Сила apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Против весник Влегување {0} не се имате било какви неспоредлив {1} влез apps/erpnext/erpnext/config/hr.py +137,Appraisals,оценувања -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},СТРОГО серија № влезе за точка {0} +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" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Бум {0} мора да се поднесе +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Плаќање @@ -1817,12 +1820,12 @@ 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 +257,"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 +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.","Листа вашите производи или услуги да ја купите или да го продаде. Бидете сигурни да се провери точка група, Одделение за премер и други својства кога ќе почнете." 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: Asset Movement,Asset Movement,средства движење -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,нов кошничка +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,тркала @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Се предмети од Набавка Разписки DocType: Serial No,Creation Date,Датум на креирање apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Точка {0} се појавува неколку пати во Ценовникот {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продажбата мора да се провери, ако Применливо за е избрано како {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продажбата мора да се провери, ако Применливо за е избрано како {0}" DocType: Production Plan Material Request,Material Request Date,Материјал Барање Датум DocType: Purchase Order Item,Supplier Quotation Item,Артикал од Понуда од Добавувач DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Оневозможува создавање на време логови против производство наредби. Операции нема да бидат следени од цел производство @@ -1865,12 +1868,12 @@ DocType: Supplier,Supplier of Goods or Services.,Снабдувач на сто DocType: Budget,Fiscal Year,Фискална година DocType: Vehicle Log,Fuel Price,гориво Цена DocType: Budget,Budget,Буџет -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Фиксни средства точка мора да биде точка на не-парк. +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 +209,e.g. 5,на пример 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1882,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 +263,A Product or Service,Производ или услуга +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,Сегашна вредност @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Пар +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Пар apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Изберете BOM и Количина за производство DocType: Asset,Depreciation Schedule,амортизација Распоред apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продажбата партнер адреси и контакти @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},Точка Група кои не се споменати во точка мајстор за ставката {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка +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,Дебит сметка мора да биде побарувања сметка DocType: Shipping Rule Condition,Shipping Amount,Испорака Износ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Додади Клиентите +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,Дадени @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,Побарувања ,Supplier-Wise Sales Analytics,Добавувачот-wise Продажбата анализи apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Внесете уплатениот износ DocType: Salary Structure,Select employees for current Salary Structure,Избор на вработените за тековната плата структура +DocType: Sales Invoice,Company Address Name,Адреса на компанијата Име 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)","Родител на предметната програма (Оставете го празно, ако тоа не е дел од родител на курсот)" @@ -2013,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 +269,Unit,Единица +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2039,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од Продај Побарувања, продажба фактура или весник Влегување" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: Од време и на време е задолжително. DocType: Stock Reconciliation Item,Amount Difference,износот на разликата @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Класификација на клиенти од регионот apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разликата Износот мора да биде нула DocType: Project,Gross Margin,Бруто маржа -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Ве молиме внесете Производство стварта прв +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 +748,Quotation,Понуда @@ -2056,7 +2060,7 @@ 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: Opportunity,Customer / Lead Address,Клиент / Потенцијален клиент адреса -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Предупредување: Невалиден SSL сертификат прикачување {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Предупредување: Невалиден SSL сертификат прикачување {0} DocType: Student Admission,Eligibility,подобност apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Води да ви помогне да се бизнис, да додадете сите ваши контакти и повеќе како вашиот води" DocType: Production Order Operation,Actual Operation Time,Крај на време операција @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,Пресметај Вкупен рез DocType: Request for Quotation,Manufacturing Manager,Производство менаџер apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Сериски № {0} е под гаранција до {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Сплит за испорака во пакети. -apps/erpnext/erpnext/hooks.py +87,Shipments,Пратки +apps/erpnext/erpnext/hooks.py +94,Shipments,Пратки DocType: Payment Entry,Total Allocated Amount (Company Currency),Вкупно одобрени Износ (Фирма валута) DocType: Purchase Order Item,To be delivered to customer,Да бидат доставени до клиентите DocType: BOM,Scrap Material Cost,Отпад материјални трошоци -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Сериски Не {0} не припаѓа на ниту еден Магацински +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Сериски Не {0} не припаѓа на ниту еден Магацински DocType: Purchase Invoice,In Words (Company Currency),Во зборови (компанија валута) DocType: Asset,Supplier,Добавувачот DocType: C-Form,Quarter,Четвртина @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,Вкупно Денови Отсус DocType: Email Digest,Note: Email will not be sent to disabled users,Забелешка: Е-пошта нема да биде испратена до корисниците со посебни потреби apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број на интеракција apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број на интеракција -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Точка Код> Точка Група> Бренд 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 +408,{0} is mandatory for Item {1},{0} е задолжително за ставката {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","Ве молиме изберете распределени износот, видот Фактура и број на фактурата во барем еден ред" @@ -2142,7 +2145,8 @@ 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,извршен директор DocType: Expense Claim Detail,Expense Claim Detail,Барање Детална сметка -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Ве молиме изберете ја точната сметка +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Три примероци за обезбедувачот +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Ве молиме изберете ја точната сметка DocType: Item,Weight UOM,Тежина UOM DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура на вработените DocType: Employee,Blood Group,Крвна група @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,старатели 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 +336,Debit To is required,Дебитна Да се бара +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,Понуда Рок @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Вкупно не DocType: BOM Website Operation,BOM Website Operation,Бум на вебсајт Операција apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Понуда писмо apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генерирање Материјал Барања (MRP) и производство наредби. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Вкупно Фактурирана изн. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Вкупно Фактурирана изн. DocType: BOM,Conversion Rate,конверзии apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Барај производ DocType: Timesheet Detail,To Time,На време @@ -2192,7 +2196,7 @@ 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} не може да се ажурираат со користење Акции на помирување, ве молиме користете Акции Влегување" DocType: Training Event Employee,Training Event Employee,Обука на вработените на настанот -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} сериски броеви потребно за ставка {1}. Сте ги доставиле {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} сериски броеви потребно за ставка {1}. Сте ги доставиле {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Тековни Вреднување стапка DocType: Item,Customer Item Codes,Клиент Точка Код apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Размена добивка / загуба @@ -2240,7 +2244,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 +2454,Select Batch No,Изберете Серија Не +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,Однапред Износ @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,Им овозможи на корисни DocType: Purchase Order,Customer Mobile No,Клиент Мобилни Не DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Ги пратите одделни приходи и расходи за вертикали производ или поделби. DocType: Rename Tool,Rename Tool,Преименувај алатката -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Ажурирање на трошоците +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 +438,Show Salary Slip,Прикажи Плата фиш apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Поставете се повторуваат по спасување -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,износот сметка Одберете промени +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,Поставете се повторуваат по спасување +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,Додади Даноци +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,За буџетот на профилот @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,Купување Потврда Не apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Искрена пари DocType: Process Payroll,Create Salary Slip,Креирај Плата фиш apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Следење +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC законик 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,Вработен @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,Постдипломски DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Распоред за одржување Детална DocType: Quality Inspection Reading,Reading 9,Читање 9 DocType: Supplier,Is Frozen,Е Замрзнати -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Група јазол склад не е дозволено да одберете за трансакции +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Група јазол склад не е дозволено да одберете за трансакции DocType: Buying Settings,Buying Settings,Поставки за купување DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM број за завршени добра DocType: Upload Attendance,Attendance To Date,Публика: Да најдам @@ -2332,13 +2337,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка." +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.js +153,You can not change rate if BOM mentioned agianst any item,Вие не може да го промени стапка ако Бум споменати agianst која било ставка +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,За Кол apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ве молиме внесете предвидено Количина за Точка {0} во ред {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,Овластен Вредност DocType: BOM,Show Operations,Прикажи операции ,Minutes to First Response for Opportunity,Минути за прв одговор за можности apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Вкупно Отсутни -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Единица мерка DocType: Fiscal Year,Year End Date,Годината завршува на Датум DocType: Task Depends On,Task Depends On,Задача зависи од @@ -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 +106,Cannot produce more Item {0} than Sales Order quantity {1},Не може да произведе повеќе од ставка {0} од количина {1} во Продажна нарачка +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/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,Следна Контакт Со тоа што не може да биде ист како олово-мејл адреса @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Реф +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Реф DocType: Budget,Cost Center,Трошоците центар apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Ваучер # DocType: Notification Control,Purchase Order Message,Нарачка порака @@ -2548,7 +2553,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 +1165,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,задача Завршување apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Не во парк DocType: Appraisal,HR User,HR пристап DocType: Purchase Invoice,Taxes and Charges Deducted,Даноци и давачки одземени -apps/erpnext/erpnext/hooks.py +116,Issues,Прашања +apps/erpnext/erpnext/hooks.py +124,Issues,Прашања apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Статус мора да биде еден од {0} DocType: Sales Invoice,Debit To,Дебит DocType: Delivery Note,Required only for sample item.,Потребно е само за примерок точка. @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Територија apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ве молиме спомнете Број на посети бара DocType: Stock Settings,Default Valuation Method,Метод за проценка стандардно +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Провизија DocType: Vehicle Log,Fuel Qty,Количина на гориво DocType: Production Order Operation,Planned Start Time,Планирани Почеток Време DocType: Course,Assessment,проценка @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,Понудата {0} е откажана -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Вкупно Неизмирен Износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Вкупно Неизмирен Износ DocType: Sales Partner,Targets,Цели DocType: Price List,Price List Master,Ценовник мајстор DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Сите Продажбата Трансакцијата може да бидат означени против повеќе ** продажба на лица **, така што ќе може да се постави и да се следи цели." ,S.O. No.,ПА број -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Ве молиме креирајте Клиент од Потенцијален клиент {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Ве молиме креирајте Клиент од Потенцијален клиент {0} DocType: Price List,Applicable for Countries,Применливи за земјите apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Оставете само апликации со статус 'одобрена "и" Отфрлени "може да се поднесе apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Група на студенти Името е задолжително во ред {0} @@ -2648,6 +2654,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/config/hr.py +163,Define various loan types,Дефинирање на различни видови на кредитот DocType: Bin,FCFS Rate,FCFS стапка DocType: Payment Reconciliation Invoice,Outstanding Amount,Преостанатиот износ за наплата @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Материјал тра 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.,Попуст Процент може да се примени или против некој Ценовник или за сите ценовникот. DocType: Purchase Invoice,Half-yearly,Полугодишен apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Сметководство за влез на берза +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Веќе сте се проценува за критериумите за оценување {}. DocType: Vehicle Service,Engine Oil,на моторното масло -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме поставете вработените Именување систем во управување со хумани ресурси> Поставки за човечки ресурси 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,Клиент адреса @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правното лице / Подружница со посебен сметковен кои припаѓаат на Организацијата. DocType: Payment Request,Mute Email,Неми-пошта apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Храна, пијалаци и тутун" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Комисијата стапка не може да биде поголема од 100 DocType: Stock Entry,Subcontract,Поддоговор apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ве молиме внесете {0} прв @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Студентски Месечен евидентен лист apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Вработен {0} веќе има поднесено барање за {1} помеѓу {2} и {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Почеток на проектот Датум -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,До +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,До DocType: Rename Tool,Rename Log,Преименувај Влез apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Група на студенти или Курс Распоред е задолжително apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Група на студенти или Курс Распоред е задолжително @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,Врати Количина DocType: Employee,Exit,Излез apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корен Тип е задолжително DocType: BOM,Total Cost(Company Currency),Вкупно трошоци (Фирма валута) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Сериски № {0} создаден +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Сериски № {0} создаден DocType: Homepage,Company Description for website homepage,Опис на компанијата за веб-сајт почетната страница од пребарувачот DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За погодност на клиентите, овие кодови може да се користи во печатените формати како Фактури и испорака белешки" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Име suplier @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Распоред на курсот избришани: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Дневници за одржување на статусот на испораката смс DocType: Accounts Settings,Make Payment via Journal Entry,Се направи исплата преку весник Влегување -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,отпечатена на +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,отпечатена на DocType: Item,Inspection Required before Delivery,Потребни инспекција пред породувањето DocType: Item,Inspection Required before Purchase,Инспекција што се бара пред да ги купите apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Активности во тек @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студе apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,граница Преминал apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,"Академски мандат, со ова 'академска година' {0} и "Рок Име" {1} веќе постои. Ве молиме да ги менувате овие ставки и обидете се повторно." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Како што веќе постојат трансакции против ставка {0}, не може да се промени вредноста на {1}" +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}","Како што веќе постојат трансакции против ставка {0}, не може да се промени вредноста на {1}" DocType: UOM,Must be Whole Number,Мора да биде цел број DocType: Leave Control Panel,New Leaves Allocated (In Days),Нови лисја распределени (во денови) +DocType: Sales Invoice,Invoice Copy,фактура Копија apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Сериски № {0} не постои DocType: Sales Invoice Item,Customer Warehouse (Optional),Магацински клиентите (опционално) DocType: Pricing Rule,Discount Percentage,Процент попуст @@ -2873,8 +2881,10 @@ 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 +305,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,Акумулирана амортизација сметка DocType: Stock Settings,Freeze Stock Entries,Замрзнување берза записи +DocType: Program Enrollment,Boarding Student,интернат Студентски DocType: Asset,Expected Value After Useful Life,Предвидена вредност По корисен век DocType: Item,Reorder level based on Warehouse,Ниво врз основа на промените редоследот Магацински DocType: Activity Cost,Billing Rate,Платежна стапка @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Изберете рачно студентите за активност врз група DocType: Journal Entry,User Remark,Корисникот Напомена DocType: Lead,Market Segment,Сегмент од пазарот -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Уплатениот износ нема да биде поголема од вкупните одобрени негативен износ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Уплатениот износ нема да биде поголема од вкупните одобрени негативен износ {0} DocType: Employee Internal Work History,Employee Internal Work History,Вработен внатрешна работа Историја apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Затворање (д-р) DocType: Cheque Print Template,Cheque Size,чек Големина -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Сериски № {0} не во парк +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Сериски № {0} не во парк apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Даночен шаблон за Продажни трансакции. DocType: Sales Invoice,Write Off Outstanding Amount,Отпише преостанатиот износ за наплата apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Сметка {0} не се поклопува со компанијата {1} @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,Додадете неколку записи примерок +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,17 +2955,17 @@ 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 +418,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,Нарачка на купувачот apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Сериски Не и серија DocType: Warranty Claim,From Company,Од компанијата -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Збирот на резултатите на критериумите за оценување треба да биде {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Збирот на резултатите на критериумите за оценување треба да биде {0}. 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 +270,Minute,Минута +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Минута DocType: Purchase Invoice,Purchase Taxes and Charges,Купување на даноци и такси ,Qty to Receive,Количина да добијам DocType: Leave Block List,Leave Block List Allowed,Остави Забрани листата на дозволени @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,про- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банка пречекорување на профилот apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Направете Плата фиш apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Ред # {0}: лимит, не може да биде поголем од преостанатиот износ." -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Преглед на бирото +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Преглед на бирото apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Препорачана кредити DocType: Purchase Invoice,Edit Posting Date and Time,Измени Праќање пораки во Датум и време apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Поставете Амортизација поврзани сметки во Категорија Средства {0} или куќа {1} @@ -2992,7 +3002,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 +278,Select Quantity,Изберете количина +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,Се откажете од оваа е-мејл билтени @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Не е дозволено да се ажурира акции трансакции постари од {0} DocType: Purchase Invoice Item,PR Detail,ПР Детална DocType: Sales Order,Fully Billed,Целосно Опишан +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добавувачот> Добавувачот Тип 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 +127,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),Бруто тежина на пакувањето. Обично нето тежина + материјал за пакување тежина. (За печатење) @@ -3053,8 +3064,9 @@ 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} не е поднесен DocType: Customs Tariff Number,Tariff Number,тарифен број +DocType: Production Order Item,Available Qty at WIP Warehouse,Достапно Количина во WIP Магацински apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Проектирани -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Сериски № {0} не припаѓаат Магацински {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Сериски № {0} не припаѓаат Магацински {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,"Забелешка: системот не ќе ги провери над-испорака и над-резервација за Точка {0}, на пример количината или сума е 0" DocType: Notification Control,Quotation Message,Понуда порака DocType: Employee Loan,Employee Loan Application,Вработен апликација за заем @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слета Цена ваучер Износ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Сметки кои произлегуваат од добавувачи. DocType: POS Profile,Write Off Account,Отпише профил -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Задолжување Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Задолжување Амт apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Износ попуст 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 +207,e.g. VAT,на пример ДДВ +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,Подизведување @@ -3087,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 +1945,Please select customer,Ве молам изберете клиентите +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Ве молам изберете клиентите DocType: C-Form,I,јас DocType: Company,Asset Depreciation Cost Center,Центар Амортизација Трошоци средства DocType: Sales Order Item,Sales Order Date,Продажбата на Ред Датум @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,Адреса Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Партијата е задолжително DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Име на тема -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Најмалку едно мора да биде избрано од Продажби или Купување +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Најмалку едно мора да биде избрано од Продажби или Купување apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Изберете од природата на вашиот бизнис. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: двојна влез во Референци {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Каде што се врши производните операции. @@ -3125,7 +3137,7 @@ 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} DocType: Employee,Confirmation Date,Потврда Датум DocType: C-Form,Total Invoiced Amount,Вкупно Фактуриран износ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Мин Количина не може да биде поголем од Макс Количина +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Мин Количина не може да биде поголем од Макс Количина DocType: Account,Accumulated Depreciation,Акумулираната амортизација DocType: Stock Entry,Customer or Supplier Details,Клиент или снабдувачот DocType: Employee Loan Application,Required by Date,Потребни по датум @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Нарачк apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Име на компанија не може да биде компанија apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Писмо глави за печатење на обрасци. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Наслови за печатење шаблони пр проформа фактура. +DocType: Program Enrollment,Walking,одење DocType: Student Guardian,Student Guardian,студентски Гардијан apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Трошоци тип вреднување не може да го означи како Инклузивна DocType: POS Profile,Update Stock,Ажурирање берза -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добавувачот> Добавувачот Тип apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Различни ЕМ за Артикли ќе доведе до Неточна (Вкупно) вредност за Нето тежина. Проверете дали Нето тежината на секој артикал е во иста ЕМ. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Бум стапка DocType: Asset,Journal Entry for Scrap,Весник за влез Отпад @@ -3210,7 +3222,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Шоуто данок распадот apps/erpnext/erpnext/accounts/party.py +308,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,Не е пронајдено студенти @@ -3230,14 +3241,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Не Студентите во +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 +108,Please enter 'Expected Delivery Date',Ве молиме внесете 'очекува испорака датум " apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Внесете NA за нерегистрирани +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3278,23 @@ DocType: Sales Team,Contribution (%),Придонес (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Забелешка: Плаќањето за влез нема да бидат направивме од "Пари или банкарска сметка 'не е одредено," apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Одговорности DocType: Expense Claim Account,Expense Claim Account,Тврдат сметка сметка +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Именување серија за {0} преку поставување> Прилагодување> Именување Серија 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,Додади корисници 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. DocType: Stock Reconciliation Item,Before reconciliation,Пред помирување apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Даноци и давачки Додадено (Фирма валута) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Точка Даночниот спор во {0} мора да има предвид типот Данок или на приход или трошок или Наплатлив +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Точка Даночниот спор во {0} мора да има предвид типот Данок или на приход или трошок или Наплатлив DocType: Sales Order,Partly Billed,Делумно Опишан apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Ставка {0} мора да биде основни средства DocType: Item,Default BOM,Стандардно Бум -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Задолжување Износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Задолжување Износ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ве молиме име ре-вид на компанија за да се потврди -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Вкупен Неизмирен Изн. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Вкупен Неизмирен Изн. DocType: Journal Entry,Printing Settings,Поставки за печатење DocType: Sales Invoice,Include Payment (POS),Вклучуваат плаќање (ПОС) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Вкупно Побарува мора да биде еднаков со Вкупно Должи. Разликата е {0} @@ -3289,20 +3302,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Авто DocType: Vehicle,Insurance Company,Друштво за осигурување DocType: Asset Category Account,Fixed Asset Account,Фиксни средства на сметката apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,променлива -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Од Испратница +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Од Испратница DocType: Student,Student Email Address,Студент е-мејл адреса DocType: Timesheet Detail,From Time,Од време apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,На залиха: DocType: Notification Control,Custom Message,Прилагодено порака apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестициско банкарство apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Парични средства или банкарска сметка е задолжително за правење влез плаќање -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме поставете брои серија за присуство преку поставување> нумерација Серија apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студентски адреса apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студентски адреса 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 +1517,Address Name,адреса +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,адреса DocType: Stock Entry,From BOM,Од бирото DocType: Assessment Code,Assessment Code,Код оценување apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основни @@ -3319,7 +3331,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа. +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/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,Месечна отплата износ не може да биде поголем од кредит Износ @@ -3327,7 +3339,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Внесете ја вредноста мора да биде позитивен +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,Студентот се веќе запишани. @@ -3336,7 +3348,7 @@ DocType: Process Payroll,Process Payroll,Процесот Даноци apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Постојат повеќе одмори од работни дена овој месец. DocType: Product Bundle Item,Product Bundle Item,Производ Бовча Точка DocType: Sales Partner,Sales Partner Name,Продажбата партнер Име -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Барање за прибирање на понуди +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Барање за прибирање на понуди DocType: Payment Reconciliation,Maximum Invoice Amount,Максималниот износ на фактура DocType: Student Language,Student Language,студентски јазик apps/erpnext/erpnext/config/selling.py +23,Customers,клиентите @@ -3347,7 +3359,7 @@ DocType: Asset,Partially Depreciated,делумно амортизираат DocType: Issue,Opening Time,Отворање Време apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Од и до датуми потребни apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Хартии од вредност и стоковни берзи -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Стандардно единица мерка за Варијанта '{0}' мора да биде иста како и во Мострата "{1}" +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 +847,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на @@ -3366,7 +3378,7 @@ 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 +266,Raw Material,Суровина +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Износот на данокот По Износ попуст @@ -3378,7 +3390,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Отворање датум треба да биде пред крајниот датум -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Именување серија за {0} преку поставување> Прилагодување> Именување Серија 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.,Деновите за кои Празници се блокирани за овој оддел. @@ -3391,8 +3402,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се одземе кога категорија е за 'Вреднување' или 'Вреднување и Вкупно' -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Сериски броеви кои се потребни за серијали Точка {0} +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/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,Банката Влегување DocType: Authorization Rule,Applicable To (Designation),Применливи To (Означување) @@ -3409,7 +3420,7 @@ 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 +270,Hour,Час +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Немате дозвола да го одобри лисјата Забрани Термини @@ -3419,7 +3430,7 @@ 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 +645,Point of Sale,Точка на продажба +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Точка на продажба DocType: Payment Entry,Received Amount,добиениот износ DocType: GST Settings,GSTIN Email Sent On,GSTIN испратен На DocType: Program Enrollment,Pick/Drop by Guardian,Трансферот / зависници од страна на Гардијан @@ -3436,8 +3447,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 +270,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0. +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/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,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 +465,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,Марк посетеност за повеќе вработени @@ -3502,7 +3513,7 @@ 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 +436,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Платежна држава @@ -3550,7 +3561,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},Невалиден атрибут {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Ве молиме изберете ја групата за процена освен "Сите групи оценување" @@ -3652,16 +3663,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,плата Делови DocType: Program Enrollment Tool,New Academic Year,Новата академска година apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Врати / кредит Забелешка DocType: Stock Settings,Auto insert Price List rate if missing,Авто вметнете Ценовник стапка ако недостасува -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Вкупно Исплатен износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Вкупно Исплатен износ DocType: Production Order Item,Transferred Qty,Пренесува Количина apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигацијата 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 +272,We sell this Item,Ние продаваме Оваа содржина +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,примерок на податоци 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,Половина ден Датум @@ -3709,7 +3722,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 +1186,Please set Company,Поставете компанијата +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,Поставете компанијата DocType: Pricing Rule,Buying,Купување DocType: HR Settings,Employee Records to be created by,Вработен евиденција да бидат создадени од страна DocType: POS Profile,Apply Discount On,Применуваат попуст на @@ -3726,13 +3739,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,собирање на претплатата DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Баркод {0} веќе се користи во ставка {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Баркод {0} веќе се користи во ставка {1} DocType: Lead,Add to calendar on this date,Додади во календарот на овој датум apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила за додавање на трошоците за испорака. DocType: Item,Opening Stock,отворање на Акции apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Се бара купувачи apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} е задолжително за враќање DocType: Purchase Order,To Receive,За да добиете +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Личен е-маил apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Вкупна Варијанса DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е овозможено, системот ќе ја објавите на сметководствените ставки за попис автоматски." @@ -3743,7 +3757,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 +541,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,Стандардна Продажба @@ -3751,7 +3765,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Надвор од гаранција DocType: BOM Replace Tool,Replace,Заменете apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Не се пронајдени производи. -DocType: Production Order,Unstopped,отпушат apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} во однос на Продажна фактура {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Име на проектот @@ -3762,6 +3775,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} 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} или веќе се споредуваат со други ваучер @@ -3799,9 +3813,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,"Точка {0} игнорира, бидејќи тоа не е предмет на акции" +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 +40,Submit this Production Order for further processing.,Пратете овој производството со цел за понатамошна обработка. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,12 +3823,14 @@ 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 +209,Rate (%),Стапка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","Додади корисниците на вашата организација, освен себе" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Поставете компанијата филтер празно ако група од страна е "Друштвото" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Датум на објавување не може да биде иднина apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Сериски Не {1} не се совпаѓа со {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Обичните Leave @@ -3843,7 +3859,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Акции Леџер Влегу apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Ставка {0} не е подесување за сериски бр. Колоната мора да биде празна +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Ставка {0} не е подесување за сериски бр. Колоната мора да биде празна DocType: Accounts Settings,Accounts Settings,Сметки Settings apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,одобри DocType: Customer,Sales Partner and Commission,Продажба партнер и на Комисијата @@ -3858,7 +3874,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 +62,{0} items produced,{0} произведени ставки +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,Враќање @@ -3872,7 +3888,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,На девизниот курс -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,транспортен менаџмент @@ -3897,18 +3913,18 @@ 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 +705,Online,онлајн +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Поднесени налози не може да биде избришан +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} е исклучена DocType: Employee Loan,Repay Fixed Amount per Period,Отплати фиксен износ за период apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ве молиме внесете количество за Точка {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредитна Забелешка Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Кредитна Забелешка Амт DocType: Employee External Work History,Employee External Work History,Вработен Надворешни Историја работа DocType: Tax Rule,Purchase,Купување apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Биланс Количина @@ -3934,7 +3950,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 +2383,Select items to save the invoice,Изберете предмети за да се спаси фактура +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Изберете предмети за да се спаси фактура DocType: Employee,Encashment Date,Датум на инкасо DocType: Training Event,Internet,интернет DocType: Account,Stock Adjustment,Акциите прилагодување @@ -3964,6 +3980,7 @@ DocType: Guardian,Guardian Of ,чувар на DocType: Grading Scale Interval,Threshold,праг DocType: BOM Replace Tool,Current BOM,Тековни Бум apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Додади Сериски Не +DocType: Production Order Item,Available Qty at Source Warehouse,Достапно Количина на изворот Магацински apps/erpnext/erpnext/config/support.py +22,Warranty,гаранција DocType: Purchase Invoice,Debit Note Issued,Задолжување Издадено DocType: Production Order,Warehouses,Магацини @@ -3979,13 +3996,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Уплатен apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Проект менаџер ,Quoted Item Comparison,Цитирано Точка споредба apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Испраќање -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Макс попуст дозволено за ставка: {0} е {1}% +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 +279,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 +879,Select Items to Manufacture,Изберете предмети за производство -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време" DocType: Item,Material Issue,Материјал Број DocType: Hub Settings,Seller Description,Продавачот Опис DocType: Employee Education,Qualification,Квалификација @@ -4009,7 +4026,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 +200,Cannot cancel because submitted Stock Entry {0} exists,Не може да се откаже затоа што {0} постои поднесени берза Влегување +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,Не може да се откаже затоа што {0} постои поднесени берза Влегување DocType: Employee Loan,Disbursement Date,Датум на повлекување средства DocType: Vehicle,Vehicle,возило DocType: Purchase Invoice,In Words,Со зборови @@ -4030,7 +4047,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Да го поставите на оваа фискална година како стандарден, кликнете на "Постави како стандарден"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Зачлени се apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Недостаток Количина -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути DocType: Employee Loan,Repay from Salary,Отплати од плата DocType: Leave Application,LAP/,КРУГ/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Барајќи исплата од {0} {1} за износот {2} @@ -4048,18 +4065,18 @@ 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 +1011,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Сериски № {0} е веќе доби +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: Expense Claim,Vehicle Log,возилото се Влез DocType: Purchase Invoice,Recurring Id,Повторувачки Id DocType: Customer,Sales Team Details,Тим за продажба Детали за -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Избриши засекогаш? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Неважечки {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неважечки {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Боледување DocType: Email Digest,Email Digest,Е-билтени DocType: Delivery Note,Billing Address Name,Платежна адреса Име @@ -4072,6 +4089,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Наплатени DocType: Company,Change Abbreviation,Промена Кратенка DocType: Expense Claim Detail,Expense Date,Датум на сметка +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Точка Код> Точка Група> Бренд DocType: Item,Max Discount (%),Макс попуст (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последна нарачана Износ DocType: Task,Is Milestone,е Milestone @@ -4095,8 +4113,8 @@ DocType: Program Enrollment Tool,New Program,нова програма DocType: Item Attribute Value,Attribute Value,Вредноста на атрибутот ,Itemwise Recommended Reorder Level,Itemwise Препорачани Пренареждане ниво DocType: Salary Detail,Salary Detail,плата детали -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Ве молиме изберете {0} Првиот -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Серија {0} од ставка {1} е истечен. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Ве молиме изберете {0} Првиот +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Серија {0} од ставка {1} е истечен. DocType: Sales Invoice,Commission,Комисијата apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Временски план за производство. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,субтотална @@ -4121,12 +4139,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 +399,Operation Time must be greater than 0 for Operation {0},Операција на времето мора да биде поголема од 0 за операција {0} +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/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 +387,Production Order cannot be raised against a Item Template,Производство цел не може да се зголеми во однос на точка Шаблон +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,Датум на почеток @@ -4156,7 +4174,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,отстранување Датум DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Пораките ќе бидат испратени до сите активни вработени на компанијата во дадениот час, ако тие немаат одмор. Резиме на одговорите ќе бидат испратени на полноќ." DocType: Employee Leave Approver,Employee Leave Approver,Вработен Остави Approver -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не може да се декларираат како изгубени, бидејќи цитат е направен." 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} мора да се поднесе @@ -4190,6 +4208,7 @@ DocType: Announcement,Student,студент apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Организациона единица (оддел) господар. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ве молиме внесете валидна мобилен бр apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ве молиме внесете ја пораката пред испраќањето +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Дупликат за добавувачот DocType: Email Digest,Pending Quotations,Во очекување Цитати apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Продажба Профил apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Ве молиме инсталирајте SMS Settings @@ -4198,7 +4217,7 @@ DocType: Cost Center,Cost Center Name,Чини Име центар DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Макс работни часови против timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Закажаниот датум -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Вкупно Исплатени изн. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Вкупно Исплатени изн. DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Пораки поголема од 160 карактери ќе бидат поделени во повеќе пораки DocType: Purchase Receipt Item,Received and Accepted,Примени и прифатени ,GST Itemised Sales Register,GST Индивидуална продажба Регистрирај се @@ -4208,7 +4227,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 +237,Your Suppliers,Вашите добавувачи +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',не може да се одбие кога категорија е наменета за "оценка" или "Vaulation и вкупно" @@ -4220,7 +4239,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","Како на Settings Купување ако Набавка Reciept задолжителни == "ДА", тогаш за создавање Набавка фактура, корисникот треба да се создаде Набавка Потврда за прв елемент {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Веб-страница на слика {0} прилог Точка {1} Не може да се најде +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.,Листа на оваа точка во повеќе групи на веб страната. @@ -4235,7 +4254,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Што да apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Да се Магацински apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Сите студентски приемните ,Average Commission Rate,Просечната стапка на Комисијата -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Серискиот број"" не може да биде ""Да"" за не-складишни ставки" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Серискиот број"" не може да биде ""Да"" за не-складишни ставки" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Публика не можат да бидат означени за идните датуми DocType: Pricing Rule,Pricing Rule Help,Цените Правило Помош DocType: School House,House Name,Име куќа @@ -4251,7 +4270,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 +339,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,Дата на започнување осигурување треба да биде помал од осигурување Дата на завршување @@ -4266,20 +4285,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Плата фиш на вработените {0} веќе создадена за време лист {1} DocType: Vehicle Log,Odometer,километража DocType: Sales Order Item,Ordered Qty,Нареди Количина -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Ставката {0} е оневозможено +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 +874,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,Полнење Детали apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Генерирање на исплатните листи -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Купување мора да се провери, ако е применливо за е избран како {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Купување мора да се провери, ако е применливо за е избран како {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Попуст смее да биде помал од 100 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 +500,Default BOM for {0} not found,Аватарот на бирото за {0} не е пронајден -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Ред # {0}: Поставете редоследот квантитетот +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,програма за запишување DocType: Landed Cost Voucher,Landed Cost Voucher,Слета Цена на ваучер @@ -4342,7 +4361,6 @@ DocType: Maintenance Visit,MV,МВ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очекуваниот датум не може да биде пред Материјал Барање Датум DocType: Purchase Invoice Item,Stock Qty,акции Количина DocType: Purchase Invoice Item,Stock Qty,акции Количина -DocType: Production Order,Source Warehouse (for reserving Items),Извор Магацински (за резервирање на предмети) DocType: Employee Loan,Repayment Period in Months,Отплата Период во месеци apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Грешка: Не е валидна проект? DocType: Naming Series,Update Series Number,Ажурирање Серија број @@ -4391,7 +4409,7 @@ DocType: Production Order,Planned End Date,Планирани Крај Дату apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Каде што предмети се чуваат. DocType: Request for Quotation,Supplier Detail,добавувачот детали apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Грешка во формулата или состојба: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Фактурираниот износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Фактурираниот износ DocType: Attendance,Attendance,Публика apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,акции предмети DocType: BOM,Materials,Материјали @@ -4432,10 +4450,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Поставување на едноставен веб-сајт за мојата организација +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0} DocType: Item,Default Warehouse,Стандардно Магацински apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Буџетот не може да биде доделен од група на сметка {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ве молиме внесете цена центар родител @@ -4497,7 +4515,7 @@ 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 +1344,Select or add new customer,Изберете или да додадете нови клиенти +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/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,Ова се базира на присуството на вработениот @@ -4505,6 +4523,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,Година започнува на Датум DocType: Attendance,Employee Name,Име на вработениот DocType: Sales Invoice,Rounded Total (Company Currency),Вкупно Заокружено (Валута на Фирма) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме поставете вработените Именување систем во управување со хумани ресурси> Поставки за човечки ресурси 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} е изменета. Ве молиме да се одмориме. DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп за корисниците од правење Остави апликации на наредните денови. @@ -4527,7 +4546,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Читање 3 ,Hub,Центар DocType: GL Entry,Voucher Type,Ваучер Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} мора да биде поставено како "Лево" @@ -4547,7 +4566,7 @@ DocType: POS Profile,Account for Change Amount,Сметка за промени apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Забава / профилот не се поклопува со {1} / {2} со {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ве молиме внесете сметка сметка DocType: Account,Stock,На акции -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување" DocType: Employee,Current Address,Тековна адреса DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако предмет е варијанта на друг елемент тогаш опис, слики, цени, даноци и слично ќе бидат поставени од дефиниција освен ако експлицитно не е наведено" DocType: Serial No,Purchase / Manufacture Details,Купување / Производство Детали за @@ -4586,11 +4605,12 @@ DocType: Student,Home Address,Домашна адреса apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,пренос на средствата; DocType: POS Profile,POS Profile,POS Профил DocType: Training Event,Event Name,Име на настанот -apps/erpnext/erpnext/config/schools.py +39,Admission,Услови за прием +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Услови за прием apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Запишување за {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Точка {0} е шаблон, ве молиме изберете една од неговите варијанти" DocType: Asset,Asset Category,средства Категорија +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Купувачот apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Нето плата со која не може да биде негативен DocType: SMS Settings,Static Parameters,Статични параметрите DocType: Assessment Plan,Room,соба @@ -4599,6 +4619,7 @@ DocType: Item,Item Tax,Точка Данок apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материјал на Добавувачот apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизни Фактура apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% чини повеќе од еднаш +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиентите> клиентот група> Територија DocType: Expense Claim,Employees Email Id,Вработените-пошта 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,Тековни обврски @@ -4670,6 +4691,7 @@ DocType: Leave Type,Is Carry Forward,Е пренесување apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,Не е оставено исплатните листи ,Stock Summary,акции Резиме diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv index 415214723f..15e1c22d58 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","പ്രൊഡക്ഷൻ ഓർഡർ റദ്ദാക്കാൻ ആദ്യം Unstop, റദ്ദാക്കാൻ കഴിയില്ല നിർത്തി" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,സ്വതേ വിതരണക്കാരൻ തിരഞ്ഞെടുക്കുക @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1} +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 +808,Invoice,വികയപതം DocType: Maintenance Schedule Item,Periodicity,ഇതേ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,സാമ്പത്തിക വർഷത്തെ {0} ആവശ്യമാണ് @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,പ്രവൃത്തി പുരോഗതിയിലാണ് apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,തീയതി തിരഞ്ഞെടുക്കുക DocType: Employee,Holiday List,ഹോളിഡേ പട്ടിക -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,കണക്കെഴുത്തുകാരന് +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,കണക്കെഴുത്തുകാരന് DocType: Cost Center,Stock User,സ്റ്റോക്ക് ഉപയോക്താവ് DocType: Company,Phone No,ഫോൺ ഇല്ല apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,കോഴ്സ് സമയക്രമം സൃഷ്ടിച്ചത്: @@ -110,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}","പരാമർശം: {2}: {0}, ഇനം കോഡ്: {1} ഉപഭോക്തൃ" -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,കി. ഗ്രാം +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,കി. ഗ്രാം DocType: Student Log,Log,പ്രവേശിക്കുക apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ഒരു ജോലിക്കായി തുറക്കുന്നു. DocType: Item Attribute,Increment,വർദ്ധന @@ -120,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 +42,Not permitted for {0},{0} അനുവദനീയമല്ല apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,നിന്ന് ഇനങ്ങൾ നേടുക -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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.,** പ്രതിമാസ വിതരണം ** നിങ്ങളുടെ ബിസിനസ്സിൽ seasonality ഉണ്ടെങ്കിൽ മാസം ഉടനീളം ബജറ്റ് / target വിതരണം സഹായിക്കുന്നു. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,സെയിൽസ് ഇൻവോയിസ് ഇനം @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,ഓഹരി റിപ് DocType: Warehouse,Warehouse Detail,വെയർഹൗസ് വിശദാംശം apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ക്രെഡിറ്റ് പരിധി {1} / {2} {0} ഉപഭോക്താവിന് മുറിച്ചുകടന്നു ചെയ്തു 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ഫിക്സ്ഡ് സ്വത്ത്" അസറ്റ് റെക്കോർഡ് ഇനം നേരെ നിലവിലുള്ളതിനാൽ, അൺചെക്കുചെയ്തു പാടില്ല" +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/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,ഒരു കസ്റ്റമർ സമാന പേരിൽ നിലവിലുണ്ട് @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} നിന്ന് {1} വരെ DocType: Item,Copy From Item Group,ഇനം ഗ്രൂപ്പിൽ നിന്നും പകർത്തുക DocType: Journal Entry,Opening Entry,എൻട്രി തുറക്കുന്നു -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,അക്കൗണ്ട് മാത്രം പണം നൽകുക DocType: Employee Loan,Repay Over Number of Periods,കാലയളവിന്റെ എണ്ണം ഓവർ പകരം DocType: Stock Entry,Additional Costs,അധിക ചെലവ് @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,റിയൽ എസ്റ്റേറ്റ് -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,അക്കൗണ്ട് പ്രസ്താവന +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,ഫാർമസ്യൂട്ടിക്കൽസ് DocType: Purchase Invoice Item,Is Fixed Asset,ഫിക്സ്ഡ് സ്വത്ത് apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ലഭ്യമായ അളവ് {0}, നിങ്ങൾ വേണമെങ്കിൽ {1} ആണ്" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,മുകളിൽ മാനദണ്ഡങ്ങൾ അടിസ്ഥാനമാക്കി തരം ഉത്പാദനം ഭൗതിക അഭ്യർത്ഥന വലിക്കുക @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ഉദാഹരണം: അടിസ്ഥാന ഗണിതം +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/config/hr.py +214,Settings for HR Module,എച്ച് മൊഡ്യൂൾ വേണ്ടി ക്രമീകരണങ്ങൾ DocType: SMS Center,SMS Center,എസ്എംഎസ് കേന്ദ്രം @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ഇനങ്ങൾ ഉള്ളവയും apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},ആകെ മണിക്കൂർ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},തീയതി നിന്നും സാമ്പത്തിക വർഷത്തെ ആയിരിക്കണം. ഈ തീയതി മുതൽ കരുതുന്നു = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,ഉദ്ധരണികൾ DocType: Customer,Individual,വ്യക്തിഗത DocType: Interest,Academics User,അക്കാദമിക ഉപയോക്താവ് DocType: Cheque Print Template,Amount In Figure,ചിത്രം തുക @@ -265,7 +266,7 @@ DocType: Employee,Create User,ഉപയോക്താവ് സൃഷ്ട DocType: Selling Settings,Default Territory,സ്ഥിരസ്ഥിതി ടെറിട്ടറി apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ടെലിവിഷൻ DocType: Production Order Operation,Updated via 'Time Log','ടൈം ലോഗ്' വഴി അപ്ഡേറ്റ് -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല DocType: Naming Series,Series List for this Transaction,ഈ ഇടപാടിനായി സീരീസ് പട്ടിക DocType: Company,Enable Perpetual Inventory,ഞാനാകട്ടെ ഇൻവെന്ററി പ്രവർത്തനക്ഷമമാക്കുക DocType: Company,Default Payroll Payable Account,സ്ഥിരസ്ഥിതി പേയ്റോൾ അടയ്ക്കേണ്ട അക്കൗണ്ട് @@ -273,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 +177,For Warehouse is required before Submit,വെയർഹൗസ് ആവശ്യമാണ് എന്ന മുമ്പ് സമർപ്പിക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,കോൺടാക്റ്റ് പേര് +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 കസ്റ്റമർ ഗ്രൂപ്പ് @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,തീയതി വിടുതൽ ചേരുന്നു തീയതി വലുതായിരിക്കണം 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 +189,Warehouse {0} does not belong to company {1},വെയർഹൗസ് {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 +270,Litre,ലിറ്റർ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,വിടുക തടയപ്പെട്ട -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ബാങ്ക് എൻട്രികൾ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,വാർഷിക DocType: Stock Reconciliation Item,Stock Reconciliation Item,ഓഹരി അനുരഞ്ജനം ഇനം @@ -315,7 +316,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 +316,People who teach at your organisation,നിങ്ങളുടെ ഓർഗനൈസേഷനിലെ പഠിപ്പിക്കാൻ ആളുകൾ +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,ഉപയോക്തൃ നി DocType: Item,Publish in Hub,ഹബ് ലെ പ്രസിദ്ധീകരിക്കുക DocType: Student Admission,Student Admission,വിദ്യാർത്ഥിയുടെ അഡ്മിഷൻ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന DocType: Bank Reconciliation,Update Clearance Date,അപ്ഡേറ്റ് ക്ലിയറൻസ് തീയതി DocType: Item,Purchase Details,വിശദാംശങ്ങൾ വാങ്ങുക @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,ഫ്ലീറ്റ് മാനേജർ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,വൃത്താകൃതിയിലുള്ള റഫറൻസ് പിശക് @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,നിങ്ങൾ അതു കടിച്ചുകീറി ശേഷം പെയ്മെന്റ് എൻട്രി പരിഷ്ക്കരിച്ചു. വീണ്ടും തുടയ്ക്കുക ദയവായി. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ഇനം നികുതി തവണ പ്രവേശിച്ചപ്പോൾ +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ഇനം നികുതി തവണ പ്രവേശിച്ചപ്പോൾ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ഈ ആഴ്ച തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾക്കായി ചുരുക്കം DocType: Student Applicant,Admitted,പ്രവേശിപ്പിച്ചു DocType: Workstation,Rent Cost,രെംട് ചെലവ് @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ലഭിച്ചു apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,വിദ്യാർത്ഥി ഗ്രൂപ്പുകൾ സൃഷ്ടിക്കുക apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ഇതിനകം പൂർത്തിയാക്കുക സെറ്റപ്പ് !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ക്രെഡിറ്റ് നോട്ട് തുക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ക്രെഡിറ്റ് നോട്ട് തുക ,Finished Goods,ഫിനിഷ്ഡ് സാധനങ്ങളുടെ DocType: Delivery Note,Instructions,നിർദ്ദേശങ്ങൾ DocType: Quality Inspection,Inspected By,പരിശോധിച്ചത് @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ദയവായി സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി ഹാജർ വിവരത്തിനു നമ്പറിംഗ് പരമ്പര apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,വാങ്ങൽ ഓർഡറുകൾ സൃഷ്ടിക്കുക ,Purchase Register,രജിസ്റ്റർ വാങ്ങുക DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,എല്ലാ നിർമാണ പ്രക്രിയകൾ വേണ്ടി ആഗോള ക്രമീകരണങ്ങൾ. DocType: Accounts Settings,Accounts Frozen Upto,ശീതീകരിച്ച വരെ അക്കൗണ്ടുകൾ DocType: SMS Log,Sent On,ദിവസം അയച്ചു -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ഗുണ {0} വിശേഷണങ്ങൾ പട്ടിക ഒന്നിലധികം തവണ തെരഞ്ഞെടുത്തു +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,ഗുണ {0} വിശേഷണങ്ങൾ പട്ടിക ഒന്നിലധികം തവണ തെരഞ്ഞെടുത്തു DocType: HR Settings,Employee record is created using selected field. ,ജീവനക്കാർ റെക്കോർഡ് തിരഞ്ഞെടുത്ത ഫീൽഡ് ഉപയോഗിച്ച് സൃഷ്ടിക്കപ്പെട്ടിരിക്കുന്നത്. DocType: Sales Order,Not Applicable,ബാധകമല്ല apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ഹോളിഡേ മാസ്റ്റർ. @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","അക്കൗണ്ട് ഭൂഖണ്ടക്രമത്തിൽ, അക്കൗണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,സംഭരണശാല മെറ്റീരിയൽ അഭ്യർത്ഥന ഉയർത്തുകയും ചെയ്യുന്ന വേണ്ടി നൽകുക DocType: Production Order,Additional Operating Cost,അധിക ഓപ്പറേറ്റിംഗ് ചെലവ് apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,കോസ്മെറ്റിക്സ് -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ലയിപ്പിക്കാൻ, താഴെ പറയുന്ന ആണ് ഇരു ഇനങ്ങളുടെ ഒരേ ആയിരിക്കണം" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","ലയിപ്പിക്കാൻ, താഴെ പറയുന്ന ആണ് ഇരു ഇനങ്ങളുടെ ഒരേ ആയിരിക്കണം" DocType: Shipping Rule,Net Weight,മൊത്തം ഭാരം DocType: Employee,Emergency Phone,എമർജൻസി ഫോൺ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,വാങ്ങാൻ @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ എഡിറ്റ് നികുതികളും ചുമത്തിയിട്ടുള്ള ചേർക്കുക DocType: Purchase Invoice,Supplier Invoice No,വിതരണക്കമ്പനിയായ ഇൻവോയിസ് ഇല്ല DocType: Territory,For reference,പരിഗണനയ്ക്കായി -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","അത് സ്റ്റോക്ക് ഇടപാടുകൾ ഉപയോഗിക്കുന്ന പോലെ, {0} സീരിയൽ ഇല്ല ഇല്ലാതാക്കാൻ കഴിയില്ല" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","അത് സ്റ്റോക്ക് ഇടപാടുകൾ ഉപയോഗിക്കുന്ന പോലെ, {0} സീരിയൽ ഇല്ല ഇല്ലാതാക്കാൻ കഴിയില്ല" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),(CR) അടയ്ക്കുന്നു apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,ഇനം നീക്കുക DocType: Serial No,Warranty Period (Days),വാറന്റി പിരീഡ് (ദിവസം) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"ആദ്യം കമ്പനി, പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,കുമിഞ്ഞു മൂല്യങ്ങൾ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ക്ഷമിക്കണം, സീരിയൽ ഒഴിവ് ലയിപ്പിക്കാൻ കഴിയില്ല" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","ക്ഷമിക്കണം, സീരിയൽ ഒഴിവ് ലയിപ്പിക്കാൻ കഴിയില്ല" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,സെയിൽസ് ഓർഡർ നിർമ്മിക്കുക DocType: Project Task,Project Task,പ്രോജക്ട് ടാസ്ക് ,Lead Id,ലീഡ് ഐഡി @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,നീക്കിവയ്ക്കുക apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,സെയിൽസ് മടങ്ങിവരവ് 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,ശ്രദ്ധിക്കുക: നീക്കിവെച്ചത് മൊത്തം ഇല {0} കാലയളവിൽ {1} ഇതിനകം അംഗീകാരം ഇല കുറവ് പാടില്ല +,Total Stock Summary,ആകെ ഓഹരി ചുരുക്കം DocType: Announcement,Posted By,പോസ്റ്റ് ചെയ്തത് DocType: Item,Delivered by Supplier (Drop Ship),വിതരണക്കാരൻ (ഡ്രോപ്പ് കപ്പൽ) നൽകുന്ന apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,സാധ്യതയുള്ള ഉപഭോക്താക്കൾ ഡാറ്റാബേസിൽ. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,കസ്റ്റ DocType: Quotation,Quotation To,ക്വട്ടേഷൻ ചെയ്യുക DocType: Lead,Middle Income,മിഡിൽ ആദായ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),തുറക്കുന്നു (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,നിങ്ങൾ ഇതിനകം മറ്റൊരു UOM കൊണ്ട് ചില ഇടപാട് (ങ്ങൾ) നടത്തിയതിനാലോ ഇനം അളവ് സ്വതവേയുള്ള യൂണിറ്റ് {0} നേരിട്ട് മാറ്റാൻ കഴിയില്ല. നിങ്ങൾ ഒരു വ്യത്യസ്ത സ്വതേ UOM ഉപയോഗിക്കാൻ ഒരു പുതിയ ഇനം സൃഷ്ടിക്കേണ്ടതുണ്ട്. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,നിങ്ങൾ ഇതിനകം മറ്റൊരു UOM കൊണ്ട് ചില ഇടപാട് (ങ്ങൾ) നടത്തിയതിനാലോ ഇനം അളവ് സ്വതവേയുള്ള യൂണിറ്റ് {0} നേരിട്ട് മാറ്റാൻ കഴിയില്ല. നിങ്ങൾ ഒരു വ്യത്യസ്ത സ്വതേ UOM ഉപയോഗിക്കാൻ ഒരു പുതിയ ഇനം സൃഷ്ടിക്കേണ്ടതുണ്ട്. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,പദ്ധതി തുക നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,മാസ്റ്റേഴ DocType: Assessment Plan,Maximum Assessment Score,പരമാവധി അസസ്മെന്റ് സ്കോർ apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,പുതുക്കിയ ബാങ്ക് ഇടപാട് തീയതി apps/erpnext/erpnext/config/projects.py +30,Time Tracking,സമയം ട്രാക്കിംഗ് +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ട്രാൻസ്പോർട്ടർ ഡ്യൂപ്ലിക്കേറ്റ് DocType: Fiscal Year Company,Fiscal Year Company,ധനകാര്യ വർഷം കമ്പനി DocType: Packing Slip Item,DN Detail,ഡിഎൻ വിശദാംശം DocType: Training Event,Conference,സമ്മേളനം @@ -684,8 +688,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 +320,Timesheet created:,Timesheet സൃഷ്ടിച്ചത്: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,പേരെഴുതുക DocType: GST Settings,GST Settings,ചരക്കുസേവന ക്രമീകരണങ്ങൾ DocType: Selling Settings,Customer Naming By,ഉപയോക്താക്കൾക്കായി നാമകരണ @@ -714,7 +718,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 +139,Finish,തീര്ക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,തീര്ക്കുക apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,അടിത്തറ DocType: Timesheet,Total Billed Hours,ആകെ ബില്ലുചെയ്യുന്നത് മണിക്കൂർ DocType: Journal Entry,Write Off Amount,തുക ഓഫാക്കുക എഴുതുക @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,വില്പനക്കാരന്റെ ,Absent Student Report,നിലവില്ല വിദ്യാർത്ഥി റിപ്പോർട്ട് DocType: Email Digest,Next email will be sent on:,അടുത്തത് ഇമെയിൽ ന് അയയ്ക്കും: DocType: Offer Letter Term,Offer Letter Term,കത്ത് ടേം ഓഫർ -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ഇനം വകഭേദങ്ങളും ഉണ്ട്. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,ഇനം വകഭേദങ്ങളും ഉണ്ട്. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ഇനം {0} കാണാനായില്ല DocType: Bin,Stock Value,സ്റ്റോക്ക് മൂല്യം apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,കമ്പനി {0} നിലവിലില്ല @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ഒന്നിലധികം വില നിയമങ്ങൾ തിരയാം നിലവിലുള്ളതിനാൽ, മുൻഗണന നൽകിക്കൊണ്ട് വൈരുദ്ധ്യം പരിഹരിക്കുക. വില നിയമങ്ങൾ: {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,അത് മറ്റ് 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 +48,Make Timesheet,Timesheet നടത്തുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ 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,കുടുംബ പശ്ചാത്തലം DocType: Request for Quotation Supplier,Send Email,ഇമെയിൽ അയയ്ക്കുക -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ സഹപത്രങ്ങൾ {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ഇല്ല അനുമതി +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ സഹപത്രങ്ങൾ {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,ഇല്ല അനുമതി 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 +269,Nos,ഒഴിവ് +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} സമർപ്പിക്കേണ്ടതാണ് @@ -866,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച തുറക്കുന്നു @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} റദ്ദാക്കുക -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},സീരിയൽ ഇല്ല {0} ഇനം വരെ {1} സ്വന്തമല്ല +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},സീരിയൽ ഇല്ല {0} ഇനം വരെ {1} സ്വന്തമല്ല DocType: Purchase Receipt Item Supplied,Required Qty,ആവശ്യമായ Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല. DocType: Bank Reconciliation,Total Amount,മൊത്തം തുക @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,ഘടകങ്ങൾ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ദയവായി ഇനം {0} ൽ അസറ്റ് വിഭാഗം നൽകുക DocType: Quality Inspection Reading,Reading 6,6 Reading -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,അല്ല {0} കഴിയുമോ {1} {2} നെഗറ്റിവ് കുടിശ്ശിക ഇൻവോയ്സ് ഇല്ലാതെ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,അല്ല {0} കഴിയുമോ {1} {2} നെഗറ്റിവ് കുടിശ്ശിക ഇൻവോയ്സ് ഇല്ലാതെ 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} ലിങ്കുചെയ്തിരിക്കുന്നതിനാൽ ചെയ്യാൻ കഴിയില്ല @@ -992,12 +996,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 +731,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ DocType: Payment Request,Paid,പണമടച്ചു DocType: Program Fee,Program Fee,പ്രോഗ്രാം ഫീസ് DocType: Salary Slip,Total in words,വാക്കുകളിൽ ആകെ @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,കെമിക്കൽ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ഈ മോഡ് തെരഞ്ഞെടുക്കുമ്പോഴും സ്വതേ ബാങ്ക് / ക്യാഷ് അംഗത്വം സ്വയം ശമ്പള ജേണൽ എൻട്രി ലെ അപ്ഡേറ്റ് ചെയ്യും. DocType: BOM,Raw Material Cost(Company Currency),അസംസ്കൃത വസ്തുക്കളുടെ വില (കമ്പനി കറൻസി) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,എല്ലാ ഇനങ്ങളും ഇതിനകം ഈ പ്രൊഡക്ഷൻ ഓർഡർ കൈമാറ്റം ചെയ്തു. +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 +270,Meter,മീറ്റർ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,മീറ്റർ DocType: Workstation,Electricity Cost,വൈദ്യുതി ചെലവ് DocType: HR Settings,Don't send Employee Birthday Reminders,എംപ്ലോയീസ് ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ അയയ്ക്കരുത് DocType: Item,Inspection Criteria,ഇൻസ്പെക്ഷൻ മാനദണ്ഡം @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +1068,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 +259,Qty for {0},{0} വേണ്ടി Qty +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ബ്ലോക്ക് പട്ടിക തീയതി വിടുക @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,ക്യാഷ് / ബാങ്ക apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ദയവായി ഒരു {0} വ്യക്തമാക്കുക apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,അളവ് അല്ലെങ്കിൽ മൂല്യം മാറ്റമൊന്നും വരുത്താതെ ഇനങ്ങളെ നീക്കംചെയ്തു. DocType: Delivery Note,Delivery To,ഡെലിവറി -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ഗുണ മേശ നിർബന്ധമാണ് +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,ഗുണ മേശ നിർബന്ധമാണ് DocType: Production Planning Tool,Get Sales Orders,സെയിൽസ് ഉത്തരവുകൾ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ഡിസ്കൗണ്ട് DocType: Asset,Total Number of Depreciations,Depreciations ആകെ എണ്ണം DocType: Sales Invoice Item,Rate With Margin,മാർജിൻ കൂടി നിരക്ക് @@ -1115,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 +1546,ZIP Code,സിപ്പ് കോഡ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1138,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,"നിങ്ങളുടെ വിതരണക്കാരും ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം." +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),മിനിമം ലീഡ് പ്രായം (ദിവസം) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,വിതരണക്കാരൻ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ഷോപ്പിംഗ് കാർട്ട് ഷിപ്പിംഗ് റൂൾ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,പ്രൊഡക്ഷൻ ഓർഡർ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On','പ്രയോഗിക്കുക അഡീഷണൽ ഡിസ്കൌണ്ട്' സജ്ജീകരിക്കുക +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,റേഞ്ച് നിന്നും പരിധി വരെ കുറവ് ഉണ്ട് DocType: Global Defaults,Global Defaults,ആഗോള സ്ഥിരസ്ഥിതികൾ @@ -1167,10 +1171,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 +22,First 2 digits of GSTIN should match with State number {0},ഗ്സ്തിന് ആദ്യ 2 അക്കങ്ങൾ സംസ്ഥാന നമ്പർ {0} പൊരുത്തപ്പെടുന്നില്ല വേണം +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ശേഷി ആസൂത്രണ പിശക് +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ശേഷി ആസൂത്രണ പിശക് ,Trial Balance for Party,പാർട്ടി ട്രയൽ ബാലൻസ് DocType: Lead,Consultant,ഉപദേഷ്ടാവ് DocType: Salary Slip,Earnings,വരുമാനം @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,മടക്കം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,മടക്ക / ഡെബിറ്റ് നോട്ട് DocType: Price List Country,Price List Country,വില പട്ടിക രാജ്യം DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},ഇനം {1} വേണ്ടി {0} സാധുവായ സീരിയൽ എണ്ണം +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},ഇനം {1} വേണ്ടി {0} സാധുവായ സീരിയൽ എണ്ണം apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,ഇനം കോഡ് സീരിയൽ നമ്പർ വേണ്ടി മാറ്റാൻ കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS പ്രൊഫൈൽ {0} ഇതിനകം ഉപയോക്താവിനുള്ള: {1} കമ്പനി {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM പരിവർത്തന ഫാക്ടർ @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',ഇനം കോഡ് ഉപയോഗിച്ച് ഇനം വേണ്ടി ചെലവ് കേന്ദ്രം ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","കൂടുതലായ അക്കൗണ്ടുകൾ ഗ്രൂപ്പ്സ് കീഴിൽ കഴിയും, പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും" @@ -1242,7 +1246,7 @@ 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,കാണുക ലെഡ്ജർ DocType: Grading Scale,Intervals,ഇടവേളകളിൽ apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,പഴയവ -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ഒരു ഇനം ഗ്രൂപ്പ് ഇതേ പേരിലുള്ള നിലവിലുണ്ട്, ഐറ്റം പേര് മാറ്റാനോ ഐറ്റം ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ഇനം {0} ബാച്ച് പാടില്ല @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ് +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ് DocType: Purchase Invoice,Rejected Warehouse,നിരസിച്ചു വെയർഹൗസ് DocType: GL Entry,Against Voucher,വൗച്ചർ എഗെൻസ്റ്റ് DocType: Item,Default Buying Cost Center,സ്ഥിരസ്ഥിതി വാങ്ങൽ ചെലവ് കേന്ദ്രം @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,സെയിൽസ് ഓർഡർ {0} സാധുവല്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,പുറപ്പെടുവിച്ച സ്ഥലം apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,കരാര് DocType: Email Digest,Add Quote,ഉദ്ധരണി ചേർക്കുക -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM വേണ്ടി ആവശ്യമായ UOM coversion ഘടകം: ഇനം ലെ {0}: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM വേണ്ടി ആവശ്യമായ UOM coversion ഘടകം: ഇനം ലെ {0}: {1} 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 +736,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ +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,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ DocType: Mode of Payment,Mode of Payment,അടക്കേണ്ട മോഡ് -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം DocType: Student Applicant,AP,എ.പി. DocType: Purchase Invoice Item,BOM,BOM ൽ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ഇത് ഒരു റൂട്ട് ഐറ്റം ഗ്രൂപ്പ് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","പ്രൈസിങ് റൂൾ ആദ്യം ഇനം, ഇനം ഗ്രൂപ്പ് അല്ലെങ്കിൽ ബ്രാൻഡ് ആകാം വയലിലെ 'പുരട്ടുക' അടിസ്ഥാനമാക്കി തിരഞ്ഞെടുത്തുവെന്ന്." 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 ആയിരിക്കണം -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},പ്രൊഡക്ഷൻ ഓർഡർ നില {0} ആണ് DocType: Appraisal Goal,Goal,ഗോൾ DocType: Sales Invoice Item,Edit Description,എഡിറ്റ് വിവരണം ,Team Updates,ടീം അപ്ഡേറ്റുകൾ @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ശിശു വെയർഹൗസ് ഈ വെയർഹൗസിൽ നിലവിലുണ്ട്. ഈ വെയർഹൗസിൽ ഇല്ലാതാക്കാൻ കഴിയില്ല. DocType: Item,Website Item Groups,വെബ്സൈറ്റ് ഇനം ഗ്രൂപ്പുകൾ DocType: Purchase Invoice,Total (Company Currency),ആകെ (കമ്പനി കറൻസി) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,സീരിയൽ നമ്പർ {0} ഒരിക്കൽ അധികം പ്രവേശിച്ചപ്പോൾ +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 +78,{0} items in progress,{0} പുരോഗതിയിലാണ് ഇനങ്ങൾ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,ഇത് ഈ കൂടിയ അവസാന സൃഷ്ടിച്ച ഇടപാട് എണ്ണം ആണ് @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,സ്ട്രാപ് 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,7 +1429,7 @@ 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 +260,Max: {0},പരമാവധി: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,കമ്മ്യൂണിക്കേഷൻ രേഖ. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,ഷിപ്പിംഗ് വി apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,അക്കൗണ്ട്സ് ചാർട്ട് DocType: Material Request,Terms and Conditions Content,നിബന്ധനകളും വ്യവസ്ഥകളും ഉള്ളടക്കം apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 വലുതായിരിക്കും കഴിയില്ല -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല DocType: Maintenance Visit,Unscheduled,വരണേ DocType: Employee,Owned,ഉടമസ്ഥതയിലുള്ളത് DocType: Salary Detail,Depends on Leave Without Pay,ശമ്പള പുറത്തുകടക്കാൻ ആശ്രയിച്ചിരിക്കുന്നു @@ -1468,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 +273,We buy this Item,ഞങ്ങൾ ഈ ഇനം വാങ്ങാൻ +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,അടയ്ക്കാത്ത സാമ്പത്തിക വർഷത്തെ പി & എൽ തുലാസിൽ കാണിക്കുക @@ -1479,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 +266,Sub Assemblies,സബ് അസംബ്ലീസ് +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,സബ് അസംബ്ലീസ് DocType: Asset,Asset Name,അസറ്റ് പേര് DocType: Project,Task Weight,ടാസ്ക് ഭാരോദ്വഹനം DocType: Shipping Rule Condition,To Value,മൂല്യത്തിലേക്ക് @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ഉറവിടം 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 +239,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ് +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ് apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,പേയ്മെന്റ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ഈ {0} {2} {3} ഉപയോഗിച്ച് {1} വൈരുദ്ധ്യങ്ങൾ DocType: Student Attendance Tool,Students HTML,വിദ്യാർത്ഥികൾ എച്ച്ടിഎംഎൽ DocType: POS Profile,Apply Discount,ഡിസ്കൗണ്ട് പ്രയോഗിക്കുക -DocType: Purchase Invoice Item,GST HSN Code,ചരക്കുസേവന ഹ്സ്ന് കോഡ് +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 +283,Packing Slip(s) cancelled,പായ്ക്കിംഗ് ജി (കൾ) റദ്ദാക്കി @@ -1560,8 +1562,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 +2573,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ് -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ബോക്സ് +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 +873,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,റിസീവർ പട്ടിക ശൂന്യമാണ്. റിസീവർ പട്ടിക സൃഷ്ടിക്കാൻ ദയവായി @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,തിരിച്ചടവ് രീതി DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","പരിശോധിച്ചാൽ, ഹോം പേജ് വെബ്സൈറ്റ് സ്ഥിര ഇനം ഗ്രൂപ്പ് ആയിരിക്കും" DocType: Quality Inspection Reading,Reading 4,4 Reading -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} പദ്ധതി {1} കണ്ടില്ല സ്ഥിര യുഎഇ 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} ചെക്ക് തിയതി ആകരുത് @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,പുതിയ apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ക്വട്ടേഷൻ നിർമ്മിക്കുക apps/erpnext/erpnext/config/selling.py +216,Other Reports,മറ്റ് റിപ്പോർട്ടുകളിൽ DocType: Dependent Task,Dependent Task,ആശ്രിത ടാസ്ക് -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},അളവു സ്വതവേയുള്ള യൂണിറ്റ് വേണ്ടി പരിവർത്തന ഘടകം വരി 1 {0} ആയിരിക്കണം +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.,മുൻകൂട്ടി എക്സ് ദിവസം വേണ്ടി ഓപ്പറേഷൻസ് ആസൂത്രണം ശ്രമിക്കുക. 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} ൽ സ്ഥിര ശമ്പളപ്പട്ടിക പേയബിൾ അക്കൗണ്ട് സജ്ജീകരിക്കുക DocType: SMS Center,Receiver List,റിസീവർ പട്ടിക -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,തിരയൽ ഇനം +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ഇതിനകം പൂർത്തിയായ +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/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 +263,Quantity must not be more than {0},ക്വാണ്ടിറ്റി {0} അധികം പാടില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 ഐഡി DocType: Account,Account Name,അക്കൗണ്ട് നാമം apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,തീയതി തീയതിയെക്കുറിച്ചുള്ള വലുതായിരിക്കും കഴിയില്ല -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,സീരിയൽ ഇല്ല {0} അളവ് {1} ഒരു ഭാഗം ആകാൻ പാടില്ല +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,സീരിയൽ ഇല്ല {0} അളവ് {1} ഒരു ഭാഗം ആകാൻ പാടില്ല apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,വിതരണക്കമ്പനിയായ തരം മാസ്റ്റർ. 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 കഴിയില്ല @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,വാഹന ഡിസ്പാച്ച് തീയതി +DocType: Purchase Order Item,HSN/SAC,ഹ്സ്ന് / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,പർച്ചേസ് റെസീപ്റ്റ് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും DocType: Company,Default Payable Account,സ്ഥിരസ്ഥിതി അടയ്ക്കേണ്ട അക്കൗണ്ട് apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","മുതലായ ഷിപ്പിംഗ് നിയമങ്ങൾ, വില ലിസ്റ്റ് പോലെ ഓൺലൈൻ ഷോപ്പിംഗ് കാർട്ട് ക്രമീകരണങ്ങൾ" @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,ഇല പോല DocType: Sales Invoice,Packed Items,ചിലരാകട്ടെ ഇനങ്ങൾ apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,സീരിയൽ നമ്പർ നേരെ വാറന്റി ക്ലെയിം DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","അത് ഉപയോഗിക്കുന്നത് എവിടെ മറ്റെല്ലാ BOMs ഒരു പ്രത്യേക BOM മാറ്റിസ്ഥാപിക്കുക. ഇത് പുതിയ BOM ലേക്ക് പ്രകാരം പഴയ BOM ലിങ്ക്, അപ്ഡേറ്റ് ചെലവ് പകരം "BOM പൊട്ടിത്തെറി ഇനം" മേശ പുനരുജ്ജീവിപ്പിച്ച് ചെയ്യും" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ആകെ' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','ആകെ' DocType: Shopping Cart Settings,Enable Shopping Cart,ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കുക DocType: Employee,Permanent Address,സ്ഥിര വിലാസം apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ DocType: Material Request,Transferred,മാറ്റിയത് DocType: Vehicle,Doors,ഡോറുകൾ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം! DocType: Course Assessment Criteria,Weightage,വെയിറ്റേജ് +DocType: Sales 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,ഉപഭോക്താവിനെ ഗ്രൂപ്പ് സമാന പേരിൽ നിലവിലുണ്ട് കസ്റ്റമർ പേര് മാറ്റാനോ കസ്റ്റമർ ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി @@ -1749,7 +1752,7 @@ 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 +699,Offline,ഓഫ്ലൈൻ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,ഒരു ജോലിക്കായി അപേക്ഷകന് @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,പ്രധാ apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,മാറ്റമുള്ള DocType: Naming Series,Set prefix for numbering series on your transactions,നിങ്ങളുടെ ഇടപാടുകൾ പരമ്പര എണ്ണം പ്രിഫിക്സ് സജ്ജമാക്കുക DocType: Employee Attendance Tool,Employees HTML,എംപ്ലോയീസ് എച്ച്ടിഎംഎൽ -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം DocType: Employee,Leave Encashed?,കാശാക്കാം വിടണോ? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,വയലിൽ നിന്ന് ഓപ്പർച്യൂനിറ്റി നിർബന്ധമാണ് DocType: Email Digest,Annual Expenses,വാർഷിക ചെലവുകൾ @@ -1779,7 +1782,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 +175,Work-in-Progress Warehouse is required before Submit,വർക്ക്-ഇൻ-പുരോഗതി വെയർഹൗസ് മുമ്പ് സമർപ്പിക്കുക ആവശ്യമാണ് +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,നിയമപ്രകാരമുള്ള വിവരങ്ങളും നിങ്ങളുടെ വിതരണക്കാരൻ കുറിച്ചുള്ള മറ്റ് ജനറൽ വിവരങ്ങൾ @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ദൃഢത apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ജേർണൽ എൻട്രി {0} എഗെൻസ്റ്റ് ഏതെങ്കിലും സമാനതകളില്ലാത്ത {1} എൻട്രി ഇല്ല apps/erpnext/erpnext/config/hr.py +137,Appraisals,വിലയിരുത്തലുകളും -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},സീരിയൽ ഇല്ല ഇനം {0} നൽകിയ തനിപ്പകർപ്പെടുക്കുക +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} കൂടുതൽ വേണ്ടി ഒവെര്ബില്ല് കഴിയില്ല. മേൽ-ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, ക്രമീകരണങ്ങൾ വാങ്ങാൻ ക്രമീകരിക്കുകയും ചെയ്യുക" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ് +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,പേയ്മെന്റ് @@ -1817,12 +1820,12 @@ 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 +257,"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 +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.","നിങ്ങൾ വാങ്ങാനും വിൽക്കാനും ആ നിങ്ങളുടെ ഉൽപ്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ കാണിയ്ക്കുക. തുടങ്ങുമ്പോൾത്തന്നെ ഇനം ഗ്രൂപ്പ്, അളവിലും മറ്റ് ഉള്ള യൂണിറ്റ് പരിശോധിക്കാൻ ഉറപ്പു വരുത്തുക." 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: Asset Movement,Asset Movement,അസറ്റ് പ്രസ്ഥാനം -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,പുതിയ കാർട്ട് +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,ചക്രങ്ങളും @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,വാങ്ങൽ വരവ് നിന്നുള്ള ഇനങ്ങൾ നേടുക DocType: Serial No,Creation Date,ക്രിയേഷൻ തീയതി apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ഇനം {0} വില പട്ടിക {1} ഒന്നിലധികം പ്രാവശ്യം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","ബാധകമായ {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ കച്ചവടവും, ചെക്ക് ചെയ്തിരിക്കണം" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","ബാധകമായ {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ കച്ചവടവും, ചെക്ക് ചെയ്തിരിക്കണം" DocType: Production Plan Material Request,Material Request Date,മെറ്റീരിയൽ അഭ്യർത്ഥന തീയതി DocType: Purchase Order Item,Supplier Quotation Item,വിതരണക്കാരൻ ക്വട്ടേഷൻ ഇനം DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,പ്രൊഡക്ഷൻ ഉത്തരവുകൾ നേരെ സമയം രേഖകൾ സൃഷ്ടി പ്രവർത്തനരഹിതമാക്കുന്നു. ഓപറേഷൻസ് പ്രൊഡക്ഷൻ ഓർഡർ നേരെ ട്രാക്ക് ചെയ്യപ്പെടാൻ വരികയുമില്ല @@ -1865,12 +1868,12 @@ DocType: Supplier,Supplier of Goods or Services.,സാധനങ്ങളുട DocType: Budget,Fiscal Year,സാമ്പത്തിക വർഷം DocType: Vehicle Log,Fuel Price,ഇന്ധന വില DocType: Budget,Budget,ബജറ്റ് -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ഫിക്സ്ഡ് അസറ്റ് ഇനം ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം. +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 +209,e.g. 5,ഉദാ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1882,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 +263,A Product or Service,ഒരു ഉല്പന്നം അല്ലെങ്കിൽ സേവനം +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,ഇപ്പോഴത്തെ മൂല്യം @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,ജോഡി +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,ജോഡി apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക DocType: Asset,Depreciation Schedule,മൂല്യത്തകർച്ച ഷെഡ്യൂൾ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,സെയിൽസ് പങ്കാളി വിലാസങ്ങളും ബന്ധങ്ങൾ @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},ഐറ്റം {0} ഐറ്റം മാസ്റ്റർ പരാമർശിച്ചു അല്ല ഇനം ഗ്രൂപ്പ് -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം +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,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം DocType: Shipping Rule Condition,Shipping Amount,ഷിപ്പിംഗ് തുക -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ഉപഭോക്താക്കൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,കൈമാറി @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ് ,Supplier-Wise Sales Analytics,വിതരണക്കമ്പനിയായ യുക്തിമാനും സെയിൽസ് അനലിറ്റിക്സ് apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,തുക നൽകുക DocType: Salary Structure,Select employees for current Salary Structure,നിലവിലെ ശമ്പളം ഘടന വേണ്ടി ജീവനക്കാരെ തിരഞ്ഞെടുക്കുക +DocType: Sales Invoice,Company Address Name,കമ്പനി വിലാസം പേര് 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)","പാരന്റ് കോഴ്സ് (, ശൂന്യമായിടൂ പാരന്റ് കോഴ്സിന്റെ ഭാഗമായി അല്ല എങ്കിൽ)" @@ -2013,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 +269,Unit,യൂണിറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2039,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം വിൽപ്പന ഓർഡർ, സെയിൽസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: സമയവും സമയാസമയങ്ങളിൽ നിർബന്ധമാണ്. DocType: Stock Reconciliation Item,Amount Difference,തുക വ്യത്യാസം @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,പ്രാദേശികതയും ഉപഭോക്താക്കൾക്ക് തിരിക്കൽ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,വ്യത്യാസം തുക പൂജ്യം ആയിരിക്കണം DocType: Project,Gross Margin,മൊത്തം മാർജിൻ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,പ്രൊഡക്ഷൻ ഇനം ആദ്യം നൽകുക +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 +748,Quotation,ഉദ്ധരണി @@ -2056,7 +2060,7 @@ 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: Opportunity,Customer / Lead Address,കസ്റ്റമർ / ലീഡ് വിലാസം -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},മുന്നറിയിപ്പ്: അറ്റാച്ച്മെന്റ് {0} ന് അസാധുവായ SSL സർട്ടിഫിക്കറ്റ് +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},മുന്നറിയിപ്പ്: അറ്റാച്ച്മെന്റ് {0} ന് അസാധുവായ SSL സർട്ടിഫിക്കറ്റ് DocType: Student Admission,Eligibility,യോഗ്യത apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ലീഡുകൾ നിങ്ങളുടെ നയിക്കുന്നത് പോലെയും നിങ്ങളുടെ എല്ലാ ബന്ധങ്ങൾ കൂടുതൽ ചേർക്കുക, നിങ്ങൾ ബിസിനസ്സ് ലഭിക്കാൻ സഹായിക്കും" DocType: Production Order Operation,Actual Operation Time,യഥാർത്ഥ ഓപ്പറേഷൻ സമയം @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,ആകെ സ്കോർ കണക DocType: Request for Quotation,Manufacturing Manager,ണം മാനേജർ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},സീരിയൽ ഇല്ല {0} {1} വരെ വാറന്റി കീഴിൽ ആണ് apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,പാക്കേജുകൾ കടന്നു ഡെലിവറി നോട്ട് വിഭജിക്കുക. -apps/erpnext/erpnext/hooks.py +87,Shipments,കയറ്റുമതി +apps/erpnext/erpnext/hooks.py +94,Shipments,കയറ്റുമതി DocType: Payment Entry,Total Allocated Amount (Company Currency),ആകെ തുക (കമ്പനി കറൻസി) DocType: Purchase Order Item,To be delivered to customer,ഉപഭോക്താവിന് പ്രസവം DocType: BOM,Scrap Material Cost,സ്ക്രാപ്പ് വസ്തുക്കളുടെ വില -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,സീരിയൽ ഇല്ല {0} ഏതെങ്കിലും വെയർഹൗസ് ഭാഗമല്ല +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,സീരിയൽ ഇല്ല {0} ഏതെങ്കിലും വെയർഹൗസ് ഭാഗമല്ല DocType: Purchase Invoice,In Words (Company Currency),വാക്കുകൾ (കമ്പനി കറൻസി) ൽ DocType: Asset,Supplier,സപൈ്ളയര് DocType: C-Form,Quarter,ക്വാര്ട്ടര് @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,ആകെ അനുവാദ ദി DocType: Email Digest,Note: Email will not be sent to disabled users,കുറിപ്പ്: ഇമെയിൽ ഉപയോക്താക്കൾക്ക് അയച്ച ചെയ്യില്ല apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ഇടപെടൽ എണ്ണം apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ഇടപെടൽ എണ്ണം -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് 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 +408,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","കുറഞ്ഞത് ഒരു വരിയിൽ പദ്ധതി തുക, ഇൻവോയിസ് ടൈപ്പ് ഇൻവോയിസ് നമ്പർ തിരഞ്ഞെടുക്കുക" @@ -2142,7 +2145,8 @@ 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,സിഇഒ DocType: Expense Claim Detail,Expense Claim Detail,ചിലവേറിയ ക്ലെയിം വിശദാംശം -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ശരിയായ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,വിതരണക്കാരൻ നുവേണ്ടി ത്രിപ്ലിചതെ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,ശരിയായ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക DocType: Item,Weight UOM,ഭാരോദ്വഹനം UOM DocType: Salary Structure Employee,Salary Structure Employee,ശമ്പള ഘടന ജീവനക്കാരുടെ DocType: Employee,Blood Group,രക്ത ഗ്രൂപ്പ് @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,ഗാർഡിയൻ 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 +336,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ആഫര് ടേം @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ആകെ ലഭ DocType: BOM Website Operation,BOM Website Operation,BOM ൽ വെബ്സൈറ്റ് ഓപ്പറേഷൻ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ഓഫർ ലെറ്ററിന്റെ apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ (എംആർപി) നിർമ്മാണവും ഉത്തരവുകൾ ജനറേറ്റുചെയ്യുക. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ആകെ Invoiced ശാരീരിക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,ആകെ Invoiced ശാരീരിക DocType: BOM,Conversion Rate,പരിവർത്തന നിരക്ക് apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ഉൽപ്പന്ന തിരച്ചിൽ DocType: Timesheet Detail,To Time,സമയം ചെയ്യുന്നതിനായി @@ -2192,7 +2196,7 @@ 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} ഓഹരി അനുരഞ്ജനം ഉപയോഗിച്ച് അപ്ഡേറ്റ് കഴിയില്ല, ഓഹരി എൻട്രി ഉപയോഗിക്കുക" DocType: Training Event Employee,Training Event Employee,പരിശീലന ഇവന്റ് ജീവനക്കാരുടെ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,ഇനം {1} വേണ്ടി ആവശ്യമായ {0} സീരിയൽ സംഖ്യാപുസ്തകം. നിങ്ങൾ {2} നൽകിയിട്ടുള്ള. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,ഇനം {1} വേണ്ടി ആവശ്യമായ {0} സീരിയൽ സംഖ്യാപുസ്തകം. നിങ്ങൾ {2} നൽകിയിട്ടുള്ള. DocType: Stock Reconciliation Item,Current Valuation Rate,ഇപ്പോഴത്തെ മൂലധനം റേറ്റ് DocType: Item,Customer Item Codes,കസ്റ്റമർ ഇനം കോഡുകൾ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം @@ -2240,7 +2244,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 +2454,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,മുൻകൂർ തുക @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,അനുവദിക്കുക ഉപ DocType: Purchase Order,Customer Mobile No,കസ്റ്റമർ മൊബൈൽ ഇല്ല DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ഉൽപ്പന്ന ലംബമായുള്ള അല്ലെങ്കിൽ ഡിവിഷനുകൾ വേണ്ടി പ്രത്യേക വരുമാനവും ചിലവേറിയ ട്രാക്ക്. DocType: Rename Tool,Rename Tool,ടൂൾ പുനർനാമകരണം ചെയ്യുക -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,അപ്ഡേറ്റ് ചെലവ് +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 +438,Show Salary Slip,ശമ്പള ജി കാണിക്കുക apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,നികുതികൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,ബജറ്റ് അക്കൗണ്ട് @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,വാങ്ങൽ രസീത് ഇ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,അച്ചാരം മണി DocType: Process Payroll,Create Salary Slip,ശമ്പളം ജി സൃഷ്ടിക്കുക apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability +DocType: Purchase Invoice Item,HSN/SAC Code,ഹ്സ്ന് / SAC കോഡ് 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,ജീവനക്കാരുടെ @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,പോസ്റ്റ് ഗ്ര DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,മെയിൻറനൻസ് ഷെഡ്യൂൾ വിശദാംശം DocType: Quality Inspection Reading,Reading 9,9 Reading DocType: Supplier,Is Frozen,മരവിച്ചു -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,ഗ്രൂപ്പ് നോഡ് വെയർഹൗസ് ഇടപാടുകൾക്ക് തെരഞ്ഞെടുക്കുന്നതിനായി അനുവദിച്ചിട്ടില്ല +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,ഗ്രൂപ്പ് നോഡ് വെയർഹൗസ് ഇടപാടുകൾക്ക് തെരഞ്ഞെടുക്കുന്നതിനായി അനുവദിച്ചിട്ടില്ല DocType: Buying Settings,Buying Settings,സജ്ജീകരണങ്ങൾ വാങ്ങുക DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ഒരു പൂർത്തിയായി നല്ല ഇനം വേണ്ടി BOM നമ്പർ DocType: Upload Attendance,Attendance To Date,തീയതി ആരംഭിക്കുന്ന ഹാജർ @@ -2332,13 +2337,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM ലേക്ക് ഏതെങ്കിലും ഇനത്തിന്റെ agianst പരാമർശിച്ചു എങ്കിൽ നിങ്ങൾ നിരക്ക് മാറ്റാൻ കഴിയില്ല +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,ക്വാണ്ടിറ്റി വേണ്ടി apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},വരി ചെയ്തത് ഇനം {0} ആസൂത്രണം Qty നൽകുക {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,അംഗീകൃത മൂല് DocType: BOM,Show Operations,ഓപ്പറേഷൻസ് കാണിക്കുക ,Minutes to First Response for Opportunity,അവസരം ആദ്യപ്രതികരണം ലേക്കുള്ള മിനിറ്റ് apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ആകെ േചാദി -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,അളവുകോൽ DocType: Fiscal Year,Year End Date,വർഷം അവസാന തീയതി DocType: Task Depends On,Task Depends On,ടാസ്ക് ആശ്രയിച്ചിരിക്കുന്നു @@ -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 +106,Cannot produce more Item {0} than Sales Order quantity {1},സെയിൽസ് ഓർഡർ അളവ് {1} അധികം ഇനം {0} ഉത്പാദിപ്പിക്കാനുള്ള കഴിയുന്നില്ലേ +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/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,അടുത്തത് ബന്ധപ്പെടുക നയിക്കുന്നത് ഇമെയിൽ വിലാസം തന്നെ പാടില്ല @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,റഫറൻസ് +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,റഫറൻസ് DocType: Budget,Cost Center,ചെലവ് കേന്ദ്രം apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,സാക്ഷപ്പെടുത്തല് # DocType: Notification Control,Purchase Order Message,ഓർഡർ സന്ദേശം വാങ്ങുക @@ -2548,7 +2553,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 +1165,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,സ്റ്റോക്ക് ക്രമീകരണങ്ങൾ @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,ടാസ്ക് പൂർത്തീകര apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,അല്ല സ്റ്റോക്കുണ്ട് DocType: Appraisal,HR User,എച്ച് ഉപയോക്താവ് DocType: Purchase Invoice,Taxes and Charges Deducted,നികുതി ചാർജുകളും വെട്ടിക്കുറയ്ക്കും -apps/erpnext/erpnext/hooks.py +116,Issues,പ്രശ്നങ്ങൾ +apps/erpnext/erpnext/hooks.py +124,Issues,പ്രശ്നങ്ങൾ apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},നില {0} ഒന്നാണ് ആയിരിക്കണം DocType: Sales Invoice,Debit To,ഡെബിറ്റ് ചെയ്യുക DocType: Delivery Note,Required only for sample item.,മാത്രം സാമ്പിൾ ഇനത്തിന്റെ ആവശ്യമാണ്. @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,ടെറിട്ടറി apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ആവശ്യമായ സന്ദർശനങ്ങൾ യാതൊരു സൂചിപ്പിക്കുക DocType: Stock Settings,Default Valuation Method,സ്ഥിരസ്ഥിതി മൂലധനം രീതിയുടെ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ഫീസ് DocType: Vehicle Log,Fuel Qty,ഇന്ധന അളവ് DocType: Production Order Operation,Planned Start Time,ആസൂത്രണം ചെയ്ത ആരംഭിക്കുക സമയം DocType: Course,Assessment,നികുതിചുമത്തല് @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,ക്വട്ടേഷൻ {0} റദ്ദാക്കി -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,മൊത്തം തുക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,മൊത്തം തുക DocType: Sales Partner,Targets,ടാർഗെറ്റ് DocType: Price List,Price List Master,വില പട്ടിക മാസ്റ്റർ DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,എല്ലാ സെയിൽസ് ഇടപാട് ഒന്നിലധികം ** സെയിൽസ് പേഴ്സൺസ് നേരെ ടാഗ് ചെയ്യാൻ കഴിയും ** നിങ്ങൾ ലക്ഷ്യങ്ങളിലൊന്നാണ് സജ്ജമാക്കാൻ നിരീക്ഷിക്കുവാനും കഴിയും. ,S.O. No.,ഷൂട്ട്ഔട്ട് നമ്പർ -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},ലീഡ് നിന്ന് {0} കസ്റ്റമർ സൃഷ്ടിക്കാൻ ദയവായി +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},ലീഡ് നിന്ന് {0} കസ്റ്റമർ സൃഷ്ടിക്കാൻ ദയവായി DocType: Price List,Applicable for Countries,രാജ്യങ്ങൾ വേണ്ടി ബാധകമായ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,മാത്രം നില അപ്ലിക്കേഷനുകൾ വിടുക 'അംഗീകരിച്ചത്' ഉം 'നിരസിച്ചു സമർപ്പിക്കാൻ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},സ്റ്റുഡന്റ് ഗ്രൂപ്പ് പേര് വരി {0} ലെ നിർബന്ധമായും @@ -2648,6 +2654,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/config/hr.py +163,Define various loan types,വിവിധ വായ്പാ തരം നിർവചിക്കുക DocType: Bin,FCFS Rate,അരക്ഷിതാവസ്ഥയിലും റേറ്റ് DocType: Payment Reconciliation Invoice,Outstanding Amount,നിലവിലുള്ള തുക @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,ഉല്പാദനത 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.,കിഴിവും ശതമാനം ഒരു വില പട്ടിക നേരെ അല്ലെങ്കിൽ എല്ലാ വില പട്ടിക വേണ്ടി ഒന്നുകിൽ പ്രയോഗിക്കാൻ കഴിയും. DocType: Purchase Invoice,Half-yearly,അർദ്ധവാർഷികം apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ഇതിനകം നിങ്ങൾ വിലയിരുത്തൽ മാനദണ്ഡങ്ങൾ {} വേണ്ടി വിലയിരുത്തി ചെയ്തു. DocType: Vehicle Service,Engine Oil,എഞ്ചിൻ ഓയിൽ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ദയവായി സെറ്റപ്പ് ജീവനക്കാർ ഹ്യൂമൻ റിസോഴ്സ് ൽ സംവിധാനവും> എച്ച് ക്രമീകരണങ്ങൾ DocType: Sales Invoice,Sales Team1,സെയിൽസ് ടീം 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,ഇനം {0} നിലവിലില്ല DocType: Sales Invoice,Customer Address,കസ്റ്റമർ വിലാസം @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,സംഘടന പെടുന്ന അക്കൗണ്ടുകൾ ഒരു പ്രത്യേക ചാർട്ട് കൊണ്ട് നിയമ വിഭാഗമായാണ് / സബ്സിഡിയറി. DocType: Payment Request,Mute Email,നിശബ്ദമാക്കുക ഇമെയിൽ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ഫുഡ്, ബീവറേജ് & പുകയില" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},മാത്രം unbilled {0} നേരെ തീർക്കാം കഴിയുമോ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},മാത്രം unbilled {0} നേരെ തീർക്കാം കഴിയുമോ apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,കമ്മീഷൻ നിരക്ക് 100 വലുതായിരിക്കും കഴിയില്ല DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ആദ്യം {0} നൽകുക @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,വിദ്യാർത്ഥി പ്രതിമാസ ഹാജർ ഷീറ്റ് apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ജീവനക്കാർ {0} ഇതിനകം {1} {2} ഉം {3} തമ്മിലുള്ള അപേക്ഷിച്ചു apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,പ്രോജക്ട് ആരംഭ തീയതി -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,എഴു +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,എഴു DocType: Rename Tool,Rename Log,രേഖ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് അല്ലെങ്കിൽ കോഴ്സ് ഷെഡ്യൂൾ നിർബന്ധമായും apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് അല്ലെങ്കിൽ കോഴ്സ് ഷെഡ്യൂൾ നിർബന്ധമായും @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,മടങ്ങിയ Qty DocType: Employee,Exit,പുറത്ത് apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,റൂട്ട് തരം നിർബന്ധമാണ് DocType: BOM,Total Cost(Company Currency),മൊത്തം ചെലവ് (കമ്പനി കറൻസി) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,സീരിയൽ ഇല്ല {0} സൃഷ്ടിച്ചു +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,സീരിയൽ ഇല്ല {0} സൃഷ്ടിച്ചു DocType: Homepage,Company Description for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ കമ്പനിയുടെ വിവരണം DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ഉപഭോക്താക്കൾക്ക് സൗകര്യത്തിനായി, ഈ കോഡുകൾ ഇൻവോയ്സുകളും ഡെലിവറി കുറിപ്പുകൾ പോലെ പ്രിന്റ് രൂപങ്ങളിലും ഉപയോഗിക്കാൻ കഴിയും" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier പേര് @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,എസ്എംഎസ് ഗേറ്റ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,കോഴ്സ് സമയക്രമം ഇല്ലാതാക്കി: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS ഡെലിവറി നില പരിപാലിക്കുന്നതിനായി ക്ഌപ്തപ്പെടുത്താവുന്നതാണ് DocType: Accounts Settings,Make Payment via Journal Entry,ജേർണൽ എൻട്രി വഴി പേയ്മെന്റ് നിർമ്മിക്കുക -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,പ്രിന്റ് +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,പ്രിന്റ് DocType: Item,Inspection Required before Delivery,ഡെലിവറി മുമ്പ് ആവശ്യമായ ഇൻസ്പെക്ഷൻ DocType: Item,Inspection Required before Purchase,വാങ്ങൽ മുമ്പ് ആവശ്യമായ ഇൻസ്പെക്ഷൻ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,തീർച്ചപ്പെടുത്തിയിട്ടില്ലാത്ത പ്രവർത്തനങ്ങൾ @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,സ്റ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,പരിധി ക്രോസ് apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,"ഈ 'അക്കാദമിക് വർഷം' {0}, {1} ഇതിനകം നിലവിലുണ്ട് 'ടേം പേര്' ഒരു അക്കാദമിക് കാലാവധി. ഈ എൻട്രികൾ പരിഷ്ക്കരിച്ച് വീണ്ടും ശ്രമിക്കുക." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ഇനം {0} നേരെ നിലവിലുള്ള ഇടപാടുകൾ ഉണ്ട് നിലയിൽ, {1} മൂല്യം മാറ്റാൻ കഴിയില്ല" +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}","ഇനം {0} നേരെ നിലവിലുള്ള ഇടപാടുകൾ ഉണ്ട് നിലയിൽ, {1} മൂല്യം മാറ്റാൻ കഴിയില്ല" DocType: UOM,Must be Whole Number,മുഴുവനുമുള്ള നമ്പർ ആയിരിക്കണം DocType: Leave Control Panel,New Leaves Allocated (In Days),(ദിവസങ്ങളിൽ) അനുവദിച്ചതായും പുതിയ ഇലകൾ +DocType: Sales Invoice,Invoice Copy,ഇൻവോയ്സ് പകർത്തുക apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,സീരിയൽ ഇല്ല {0} നിലവിലില്ല DocType: Sales Invoice Item,Customer Warehouse (Optional),കസ്റ്റമർ വെയർഹൗസ് (ഓപ്ഷണൽ) DocType: Pricing Rule,Discount Percentage,കിഴിവും ശതമാനം @@ -2873,8 +2881,10 @@ 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 +305,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,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച അക്കൗണ്ട് DocType: Stock Settings,Freeze Stock Entries,ഫ്രീസുചെയ്യുക സ്റ്റോക്ക് എൻട്രികളിൽ +DocType: Program Enrollment,Boarding Student,ബോർഡിംഗ് വിദ്യാർത്ഥി DocType: Asset,Expected Value After Useful Life,ഉപയോഗപ്രദമായ ലൈഫ് ശേഷം പ്രതീക്ഷിക്കുന്ന മൂല്യം DocType: Item,Reorder level based on Warehouse,വെയർഹൗസ് അടിസ്ഥാനമാക്കിയുള്ള പുനഃക്രമീകരിക്കുക തലത്തിൽ DocType: Activity Cost,Billing Rate,ബില്ലിംഗ് റേറ്റ് @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,പ്രവർത്തനം അടിസ്ഥാനമാക്കി ഗ്രൂപ്പ് മാനുവലായി വിദ്യാർത്ഥികളെ തിരഞ്ഞെടുക്കുക DocType: Journal Entry,User Remark,ഉപയോക്താവിന്റെ അഭിപ്രായപ്പെടുക DocType: Lead,Market Segment,മാർക്കറ്റ് സെഗ്മെന്റ് -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},തുക മൊത്തം നെഗറ്റീവ് ശേഷിക്കുന്ന തുക {0} ശ്രേഷ്ഠ പാടില്ല +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},തുക മൊത്തം നെഗറ്റീവ് ശേഷിക്കുന്ന തുക {0} ശ്രേഷ്ഠ പാടില്ല DocType: Employee Internal Work History,Employee Internal Work History,ജീവനക്കാർ ആന്തരിക വർക്ക് ചരിത്രം apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),(ഡോ) അടയ്ക്കുന്നു DocType: Cheque Print Template,Cheque Size,ചെക്ക് വലിപ്പം -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,{0} അല്ല സ്റ്റോക്ക് സീരിയൽ ഇല്ല +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,{0} അല്ല സ്റ്റോക്ക് സീരിയൽ ഇല്ല apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ഇടപാടുകൾ വില്ക്കുകയും നികുതി ടെംപ്ലേറ്റ്. DocType: Sales Invoice,Write Off Outstanding Amount,നിലവിലുള്ള തുക എഴുതുക apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},അക്കൗണ്ട് {0} {1} കമ്പനി പൊരുത്തപ്പെടുന്നില്ല @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,ഏതാനും സാമ്പിൾ റെക്കോർഡുകൾ ചേർക്കുക +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,17 +2955,17 @@ 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,ഓഹരി Qty അനുമാനിക്കപ്പെടുന്ന -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് DocType: Warranty Claim,From Company,കമ്പനി നിന്നും -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,വിലയിരുത്തിയശേഷം മാനദണ്ഡം സ്കോററായ സം {0} വേണം. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,വിലയിരുത്തിയശേഷം മാനദണ്ഡം സ്കോററായ സം {0} വേണം. 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 +270,Minute,മിനിറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,മിനിറ്റ് DocType: Purchase Invoice,Purchase Taxes and Charges,നികുതി ചാർജുകളും വാങ്ങുക ,Qty to Receive,സ്വീകരിക്കാൻ Qty DocType: Leave Block List,Leave Block List Allowed,ബ്ലോക്ക് പട്ടിക അനുവദനീയം വിടുക @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ബാങ്ക് ഓവർഡ്രാഫ്റ്റിലായില്ല അക്കൗണ്ട് apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ശമ്പളം വ്യതിചലിപ്പിച്ചു apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,വരി # {0}: തുക കുടിശ്ശിക തുക അധികമാകരുത് കഴിയില്ല. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ബ്രൗസ് BOM ലേക്ക് +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ബ്രൗസ് BOM ലേക്ക് apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,അടച്ച് വായ്പകൾ DocType: Purchase Invoice,Edit Posting Date and Time,എഡിറ്റ് പോസ്റ്റിംഗ് തീയതിയും സമയവും apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},അസറ്റ് വർഗ്ഗം {0} അല്ലെങ്കിൽ കമ്പനി {1} ൽ മൂല്യത്തകർച്ച ബന്ധപ്പെട്ട അക്കൗണ്ടുകൾ സജ്ജമാക്കുക @@ -2992,7 +3002,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 +278,Select Quantity,ക്വാണ്ടിറ്റി തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,ഈ ഇമെയിൽ ഡൈജസ്റ്റ് നിന്ന് അൺസബ്സ്ക്രൈബ് @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},{0} ചെന്നവർ സ്റ്റോക്ക് ഇടപാടുകൾ പുതുക്കുന്നതിനായി അനുവാദമില്ല DocType: Purchase Invoice Item,PR Detail,പി ആർ വിശദാംശം DocType: Sales Order,Fully Billed,പൂർണ്ണമായി ഈടാക്കൂ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം 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 +127,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),പാക്കേജിന്റെ ആകെ ഭാരം. മൊത്തം ഭാരം + പാക്കേജിംഗ് മെറ്റീരിയൽ ഭാരം സാധാരണയായി. (പ്രിന്റ് വേണ്ടി) @@ -3053,8 +3064,9 @@ 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} സമർപ്പിച്ചിട്ടില്ലെന്നതും DocType: Customs Tariff Number,Tariff Number,താരിഫ് നമ്പർ +DocType: Production Order Item,Available Qty at WIP Warehouse,വിപ് വെയർഹൗസ് ലഭ്യമാണ് അളവ് apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,അനുമാനിക്കപ്പെടുന്ന -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},സീരിയൽ ഇല്ല {0} സംഭരണശാല {1} സ്വന്തമല്ല +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},സീരിയൽ ഇല്ല {0} സംഭരണശാല {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,കുറിപ്പ്: സിസ്റ്റം ഇനം വേണ്ടി ഡെലിവറി-കടന്നു-ബുക്കിങ് പരിശോധിക്കില്ല {0} അളവ് അല്ലെങ്കിൽ തുക 0 പോലെ DocType: Notification Control,Quotation Message,ക്വട്ടേഷൻ സന്ദേശം DocType: Employee Loan,Employee Loan Application,ജീവനക്കാരുടെ ലോൺ അപ്ലിക്കേഷൻ @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,കോസ്റ്റ് വൗച്ചർ തുക റജിസ്റ്റർ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,വിതരണക്കാരും ഉയര്ത്തുന്ന ബില്ലുകള്. DocType: POS Profile,Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ഡെബിറ്റ് നോട്ട് ശാരീരിക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ഡെബിറ്റ് നോട്ട് ശാരീരിക apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,കിഴിവും തുക 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 +207,e.g. VAT,ഉദാ വാറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,ഉപ-കരാര് @@ -3087,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 +1945,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക DocType: C-Form,I,ഞാന് DocType: Company,Asset Depreciation Cost Center,അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ DocType: Sales Order Item,Sales Order Date,സെയിൽസ് ഓർഡർ തീയതി @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,DESC വിലാസ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,പാർട്ടി നിർബന്ധമായും DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,വിഷയം പേര് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,കച്ചവടവും അല്ലെങ്കിൽ വാങ്ങുന്നതിനു കുറഞ്ഞത് ഒരു തിരഞ്ഞെടുത്ത വേണം +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,കച്ചവടവും അല്ലെങ്കിൽ വാങ്ങുന്നതിനു കുറഞ്ഞത് ഒരു തിരഞ്ഞെടുത്ത വേണം apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,നിങ്ങളുടെ ബിസിനസ്സ് സ്വഭാവം തിരഞ്ഞെടുക്കുക. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},വരി # {0}: അവലംബം {1} {2} ൽ ഡ്യൂപ്ളിക്കേറ്റ്എന്ട്രി apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,എവിടെ നിർമാണ ഓപ്പറേഷനുകൾ നടപ്പിലാക്കുന്നത്. @@ -3125,7 +3137,7 @@ 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} DocType: Employee,Confirmation Date,സ്ഥിരീകരണം തീയതി DocType: C-Form,Total Invoiced Amount,ആകെ Invoiced തുക -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,കുറഞ്ഞത് Qty മാക്സ് Qty വലുതായിരിക്കും കഴിയില്ല +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,കുറഞ്ഞത് Qty മാക്സ് Qty വലുതായിരിക്കും കഴിയില്ല DocType: Account,Accumulated Depreciation,മൊത്ത വിലയിടിവ് DocType: Stock Entry,Customer or Supplier Details,കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ വിവരങ്ങൾ DocType: Employee Loan Application,Required by Date,തീയതി പ്രകാരം ആവശ്യമാണ് @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,വാങ് apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,കമ്പനിയുടെ പേര് കമ്പനി ആകാൻ പാടില്ല apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,പ്രിന്റ് ടെംപ്ലേറ്റുകൾക്കായി കത്ത് മേധാവികൾ. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,പ്രിന്റ് ടെംപ്ലേറ്റുകൾക്കായി ശീര്ഷകം ഇൻവോയ്സിന്റെ ഉദാഹരണമാണ്. +DocType: Program Enrollment,Walking,നടത്തം DocType: Student Guardian,Student Guardian,സ്റ്റുഡന്റ് ഗാർഡിയൻ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,മൂലധനം തരം ചാർജ് സഹായകം ആയി അടയാളപ്പെടുത്തി കഴിയില്ല DocType: POS Profile,Update Stock,സ്റ്റോക്ക് അപ്ഡേറ്റ് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ഇനങ്ങളുടെ വ്യത്യസ്ത UOM തെറ്റായ (ആകെ) മൊത്തം ഭാരം മൂല്യം നയിക്കും. ഓരോ ഇനത്തിന്റെ മൊത്തം ഭാരം ഇതേ UOM ഉണ്ടു എന്ന് ഉറപ്പു വരുത്തുക. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM റേറ്റ് DocType: Asset,Journal Entry for Scrap,സ്ക്രാപ്പ് ജേണൽ എൻട്രി @@ -3211,7 +3223,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,കാണിക്കുക നികുതി ബ്രേക്ക്-അപ്പ് apps/erpnext/erpnext/accounts/party.py +308,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,ഇല്ല വിദ്യാർത്ഥികൾ കണ്ടെത്തിയില്ല @@ -3231,14 +3242,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ഇല്ല വിദ്യാർത്ഥികൾ +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 +108,Please enter 'Expected Delivery Date','പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി' നൽകുക apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,അസാധുവായ ഗ്സ്തിന് അല്ലെങ്കിൽ രജിസ്റ്റർ വേണ്ടി ബാധകമല്ല നൽകുക +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,അസാധുവായ ഗ്സ്തിന് അല്ലെങ്കിൽ രജിസ്റ്റർ വേണ്ടി ബാധകമല്ല നൽകുക DocType: Training Event,Seminar,സെമിനാര് DocType: Program Enrollment Fee,Program Enrollment Fee,പ്രോഗ്രാം എൻറോൾമെന്റ് ഫീസ് DocType: Item,Supplier Items,വിതരണക്കാരൻ ഇനങ്ങൾ @@ -3268,21 +3279,23 @@ DocType: Sales Team,Contribution (%),കോൺട്രിബ്യൂഷൻ apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,കുറിപ്പ്: 'ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട്' വ്യക്തമാക്കിയില്ല മുതലുള്ള പേയ്മെന്റ് എൻട്രി സൃഷ്ടിച്ച ചെയ്യില്ല apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ഉത്തരവാദിത്വങ്ങൾ DocType: Expense Claim Account,Expense Claim Account,ചിലവേറിയ ക്ലെയിം അക്കൗണ്ട് +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,സജ്ജീകരണം> ക്രമീകരണങ്ങൾ> നാമകരണം സീരീസ് വഴി {0} സീരീസ് പേര് സജ്ജീകരിക്കുക 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,ഉപയോക്താക്കൾ ചേർക്കുക 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 ലധികം പാടില്ല. DocType: Stock Reconciliation Item,Before reconciliation,"നിരപ്പു മുമ്പ്," apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} ചെയ്യുക DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ചേർത്തു നികുതി ചാർജുകളും (കമ്പനി കറൻസി) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ഇനം നികുതി റോ {0} ടൈപ്പ് നികുതി അഥവാ ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ലെങ്കിൽ ഈടാക്കുന്നതല്ല എന്ന അക്കൗണ്ട് ഉണ്ടായിരിക്കണം +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ഇനം നികുതി റോ {0} ടൈപ്പ് നികുതി അഥവാ ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ലെങ്കിൽ ഈടാക്കുന്നതല്ല എന്ന അക്കൗണ്ട് ഉണ്ടായിരിക്കണം DocType: Sales Order,Partly Billed,ഭാഗികമായി ഈടാക്കൂ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ഇനം {0} ഒരു നിശ്ചിത അസറ്റ് ഇനം ആയിരിക്കണം DocType: Item,Default BOM,സ്വതേ BOM ലേക്ക് -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ഡെബിറ്റ് നോട്ട് തുക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ഡെബിറ്റ് നോട്ട് തുക apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,സ്ഥിരീകരിക്കാൻ കമ്പനിയുടെ പേര്-തരം റീ ദയവായി -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,മൊത്തം ശാരീരിക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,മൊത്തം ശാരീരിക DocType: Journal Entry,Printing Settings,അച്ചടി ക്രമീകരണങ്ങൾ DocType: Sales Invoice,Include Payment (POS),പെയ്മെന്റ് (POS) ഉൾപ്പെടുത്തുക apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ആകെ ഡെബിറ്റ് ആകെ ക്രെഡിറ്റ് സമാനമോ ആയിരിക്കണം. വ്യത്യാസം {0} ആണ് @@ -3290,20 +3303,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ഓട DocType: Vehicle,Insurance Company,ഇൻഷ്വറൻസ് കമ്പനി DocType: Asset Category Account,Fixed Asset Account,ഫിക്സ്ഡ് അസറ്റ് അക്കൗണ്ട് apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,വേരിയബിൾ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ഡെലിവറി നോട്ട് നിന്ന് +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ഡെലിവറി നോട്ട് നിന്ന് DocType: Student,Student Email Address,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ വിലാസം DocType: Timesheet Detail,From Time,സമയം മുതൽ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,സ്റ്റോക്കുണ്ട്: DocType: Notification Control,Custom Message,കസ്റ്റം സന്ദേശം apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,നിക്ഷേപ ബാങ്കിംഗ് apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് പേയ്മെന്റ് എൻട്രി നടത്തുന്നതിനുള്ള നിർബന്ധമായും -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ദയവായി സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി ഹാജർ വിവരത്തിനു നമ്പറിംഗ് പരമ്പര apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം 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 +1517,Address Name,വിലാസം പേര് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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,7 +3332,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല. +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/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,പ്രതിമാസ തിരിച്ചടവ് തുക വായ്പാ തുക ശ്രേഷ്ഠ പാടില്ല @@ -3328,7 +3340,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,വിദ്യാർത്ഥി ഇതിനകം എൻറോൾ ചെയ്തു. @@ -3337,7 +3349,7 @@ DocType: Process Payroll,Process Payroll,പ്രോസസ്സ് ശമ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,ഈ മാസം പ്രവർത്തി ദിവസങ്ങളിൽ അധികം വിശേഷദിവസങ്ങൾ ഉണ്ട്. DocType: Product Bundle Item,Product Bundle Item,ഉൽപ്പന്ന ബണ്ടിൽ ഇനം DocType: Sales Partner,Sales Partner Name,സെയിൽസ് പങ്കാളി പേര് -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,ഉദ്ധരണികൾ അഭ്യർത്ഥന DocType: Payment Reconciliation,Maximum Invoice Amount,പരമാവധി ഇൻവോയിസ് തുക DocType: Student Language,Student Language,വിദ്യാർത്ഥിയുടെ ഭാഷ apps/erpnext/erpnext/config/selling.py +23,Customers,ഇടപാടുകാർ @@ -3348,7 +3360,7 @@ DocType: Asset,Partially Depreciated,ഭാഗികമായി മൂല്യ DocType: Issue,Opening Time,സമയം തുറക്കുന്നു apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,നിന്ന് ആവശ്യമായ തീയതികൾ ചെയ്യുക apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,സെക്യൂരിറ്റീസ് & ചരക്ക് കൈമാറ്റ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',മോഡലിന് അളവു യൂണിറ്റ് '{0}' ഫലകം അതേ ആയിരിക്കണം '{1}' +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 +847,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല @@ -3367,7 +3379,7 @@ 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 +266,Raw Material,അസംസ്കൃത വസ്തു +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ഡിസ്കൗണ്ട് തുക ശേഷം നികുതിയും @@ -3379,7 +3391,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,തീയതി തുറക്കുന്നു തീയതി അടയ്ക്കുന്നത് മുമ്പ് ആയിരിക്കണം -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,സജ്ജീകരണം> ക്രമീകരണങ്ങൾ> നാമകരണം സീരീസ് വഴി {0} സീരീസ് പേര് സജ്ജീകരിക്കുക 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.,അവധിദിനങ്ങൾ ഈ വകുപ്പിന്റെ വേണ്ടി തടഞ്ഞ ചെയ്തിട്ടുളള ദിനങ്ങൾ. @@ -3392,8 +3403,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"വിഭാഗം 'മൂലധനം' അഥവാ 'മൂലധനം, മൊത്ത' വേണ്ടി എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് ചെയ്യാൻ കഴിയില്ല" -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},സീരിയൽ ഇനം {0} വേണ്ടി സീരിയൽ ഒഴിവ് ആവശ്യമുണ്ട് +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/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,ബാങ്ക് എൻട്രി DocType: Authorization Rule,Applicable To (Designation),(തസ്തിക) ബാധകമായ @@ -3410,7 +3421,7 @@ 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 +270,Hour,അന്ത്യസമയം +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,നിങ്ങൾ തടയുക തീയതികളിൽ ഇല അംഗീകരിക്കാൻ അംഗീകാരമില്ല @@ -3420,7 +3431,7 @@ 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 +645,Point of Sale,വിൽപ്പന പോയിന്റ് +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,വിൽപ്പന പോയിന്റ് DocType: Payment Entry,Received Amount,ലഭിച്ച തുകയുടെ DocType: GST Settings,GSTIN Email Sent On,ഗ്സ്തിന് ഇമെയിൽ അയച്ചു DocType: Program Enrollment,Pick/Drop by Guardian,രക്ഷിതാവോ / ഡ്രോപ്പ് തിരഞ്ഞെടുക്കുക @@ -3437,8 +3448,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 +270,Gram,പയറ് -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം. +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/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% ആണ്. @@ -3464,14 +3475,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 +465,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,ഒന്നിലധികം ജീവനക്കാരുടെ അടയാളപ്പെടുത്തുക ഹാജർ @@ -3503,7 +3514,7 @@ 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 +436,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ് +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ് DocType: Leave Allocation,Unused leaves,ഉപയോഗിക്കപ്പെടാത്ത ഇല apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,കോടിയുടെ DocType: Tax Rule,Billing State,ബില്ലിംഗ് സ്റ്റേറ്റ് @@ -3551,7 +3562,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},അസാധുവായ ആട്രിബ്യൂട്ട് {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',ദയവായി 'എല്ലാ വിലയിരുത്തൽ ഗ്രൂപ്പുകൾ' പുറമെ വിലയിരുത്തൽ ഗ്രൂപ്പ് തിരഞ്ഞെടുക്കുക @@ -3653,16 +3664,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,ശമ്പള ഘട DocType: Program Enrollment Tool,New Academic Year,ന്യൂ അക്കാദമിക് വർഷം apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,മടക്ക / ക്രെഡിറ്റ് നോട്ട് DocType: Stock Settings,Auto insert Price List rate if missing,ഓട്ടോ insert വില പട്ടിക നിരക്ക് കാണാനില്ല എങ്കിൽ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ആകെ തുക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,ആകെ തുക DocType: Production Order Item,Transferred Qty,മാറ്റിയത് Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,നീങ്ങുന്നത് 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 +272,We sell this Item,ഞങ്ങൾ ഈ ഇനം വിൽക്കാൻ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,സാമ്പിൾ ഡാറ്റ 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,അര ദിവസം തീയതി @@ -3710,7 +3723,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 +1186,Please set Company,കമ്പനി സജ്ജീകരിക്കുക +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,കമ്പനി സജ്ജീകരിക്കുക DocType: Pricing Rule,Buying,വാങ്ങൽ DocType: HR Settings,Employee Records to be created by,സൃഷ്ടിച്ച ചെയ്യേണ്ട ജീവനക്കാരൻ റെക്കോർഡ്സ് DocType: POS Profile,Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക @@ -3727,13 +3740,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,ഫീസ് ശേഖരിക്കുക DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},ബാർകോഡ് {0} ഇതിനകം ഇനം {1} ഉപയോഗിക്കുന്ന +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},ബാർകോഡ് {0} ഇതിനകം ഇനം {1} ഉപയോഗിക്കുന്ന DocType: Lead,Add to calendar on this date,ഈ തീയതി കലണ്ടർ ചേർക്കുക apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ഷിപ്പിംഗ് ചിലവും ചേർത്ത് നിയമങ്ങൾ. DocType: Item,Opening Stock,ഓഹരി തുറക്കുന്നു apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,കസ്റ്റമർ ആവശ്യമാണ് apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} മടങ്ങിവരവ് നിര്ബന്ധമാണ് DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,സ്വകാര്യ ഇമെയിൽ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ആകെ പൊരുത്തമില്ലായ്മ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","പ്രവർത്തനക്ഷമമായാൽ, സിസ്റ്റം ഓട്ടോമാറ്റിക്കായി സാധനങ്ങളും വേണ്ടി അക്കൗണ്ടിങ് എൻട്രികൾ പോസ്റ്റ് ചെയ്യും." @@ -3744,7 +3758,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 +541,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,സ്റ്റാൻഡേർഡ് വിൽപ്പനയുള്ളത് @@ -3752,7 +3766,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,വാറന്റി പുറത്താണ് DocType: BOM Replace Tool,Replace,മാറ്റിസ്ഥാപിക്കുക apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ഉൽപ്പന്നങ്ങളൊന്നും കണ്ടെത്തിയില്ല. -DocType: Production Order,Unstopped,അടഞ്ഞിരിക്കയുമില്ല apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} സെയിൽസ് ഇൻവോയിസ് {1} നേരെ DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,പ്രോജക്ട് പേര് @@ -3763,6 +3776,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} 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} അല്ലെങ്കിൽ ഇതിനകം മറ്റ് വൗച്ചർ പൊരുത്തപ്പെടും ഇല്ല @@ -3800,9 +3814,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,അത് ഒരു സ്റ്റോക്ക് ഇനവും സ്ഥിതിക്ക് ഇനം {0} അവഗണിച്ച +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 +40,Submit this Production Order for further processing.,കൂടുതൽ സംസ്കരണം ഈ ഉല്പാദനം ഓർഡർ സമർപ്പിക്കുക. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ജോലി @@ -3810,12 +3824,14 @@ 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 +209,Rate (%),നിരക്ക് (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",നിങ്ങൾ സ്വയം പുറമെ നിങ്ങളുടെ സ്ഥാപനത്തിൻറെ ഉപയോക്താക്കളെ ചേർക്കുക +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',ശൂന്യമായ ഫിൽട്ടർ ഗ്രൂപ്പ് 'കമ്പനി' എങ്കിൽ കമ്പനി സജ്ജമാക്കുക apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,പോസ്റ്റുചെയ്ത തീയതി ഭാവി തീയതി കഴിയില്ല apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},വരി # {0}: സീരിയൽ ഇല്ല {1} {2} {3} കൂടെ പൊരുത്തപ്പെടുന്നില്ല apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,കാഷ്വൽ ലീവ് @@ -3844,7 +3860,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,ഓഹരി ലെഡ്ജർ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. കോളം ശ്യൂന്യമായിടണം +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. കോളം ശ്യൂന്യമായിടണം DocType: Accounts Settings,Accounts Settings,ക്രമീകരണങ്ങൾ അക്കൗണ്ടുകൾ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,അംഗീകരിക്കുക DocType: Customer,Sales Partner and Commission,"സെയിൽസ് പങ്കാളി, കമ്മീഷൻ" @@ -3859,7 +3875,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 +62,{0} items produced,{0} നിർമ്മിക്കുന്ന ഇനങ്ങൾ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,മടങ്ങിവരവ് @@ -3873,7 +3889,7 @@ 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} തിരഞ്ഞെടുത്തു കറൻസി തുല്യമോ വേണം DocType: Journal Entry Account,Exchange Rate,വിനിമയ നിരക്ക് -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,ഫ്ലീറ്റ് മാനേജ്മെന്റ് @@ -3898,18 +3914,18 @@ 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 +705,Online,ഓൺലൈൻ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} അപ്രാപ്തമാക്കി DocType: Employee Loan,Repay Fixed Amount per Period,കാലയളവ് അനുസരിച്ച് നിശ്ചിത പകരം apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ഇനം {0} വേണ്ടി അളവ് നൽകുക -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ക്രെഡിറ്റ് നോട്ട് ശാരീരിക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ക്രെഡിറ്റ് നോട്ട് ശാരീരിക DocType: Employee External Work History,Employee External Work History,ജീവനക്കാർ പുറത്തേക്കുള്ള വർക്ക് ചരിത്രം DocType: Tax Rule,Purchase,വാങ്ങൽ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ബാലൻസ് Qty @@ -3935,7 +3951,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 +2383,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക DocType: Employee,Encashment Date,ലീവ് തീയതി DocType: Training Event,Internet,ഇന്റർനെറ്റ് DocType: Account,Stock Adjustment,സ്റ്റോക്ക് ക്രമീകരണം @@ -3965,6 +3981,7 @@ DocType: Guardian,Guardian Of ,മേൽനോട്ടം DocType: Grading Scale Interval,Threshold,ഉമ്മറം DocType: BOM Replace Tool,Current BOM,ഇപ്പോഴത്തെ BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,സീരിയൽ ഇല്ല ചേർക്കുക +DocType: Production Order Item,Available Qty at Source Warehouse,ഉറവിടം വെയർഹൗസ് ലഭ്യമാണ് അളവ് apps/erpnext/erpnext/config/support.py +22,Warranty,ഉറപ്പ് DocType: Purchase Invoice,Debit Note Issued,ഡെബിറ്റ് കുറിപ്പ് നൽകിയത് DocType: Production Order,Warehouses,അബദ്ധങ്ങളും @@ -3980,13 +3997,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,തുക apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,പ്രോജക്റ്റ് മാനേജർ ,Quoted Item Comparison,ഉദ്ധരിച്ച ഇനം താരതമ്യം apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ഡിസ്പാച്ച് -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ഇനത്തിന്റെ അനുവദിച്ചിട്ടുള്ള പരമാവധി കുറഞ്ഞ: {0} ആണ് {1}% +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 +279,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 +879,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം" DocType: Item,Material Issue,മെറ്റീരിയൽ പ്രശ്നം DocType: Hub Settings,Seller Description,വില്പനക്കാരന്റെ വിവരണം DocType: Employee Education,Qualification,യോഗ്യത @@ -4010,7 +4027,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 +200,Cannot cancel because submitted Stock Entry {0} exists,സമർപ്പിച്ച ഓഹരി എൻട്രി {0} നിലവിലുണ്ട് കാരണം റദ്ദാക്കാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,സമർപ്പിച്ച ഓഹരി എൻട്രി {0} നിലവിലുണ്ട് കാരണം റദ്ദാക്കാൻ കഴിയില്ല DocType: Employee Loan,Disbursement Date,ചിലവ് തീയതി DocType: Vehicle,Vehicle,വാഹനം DocType: Purchase Invoice,In Words,വാക്കുകളിൽ @@ -4031,7 +4048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","സഹജമായിസജ്ജീകരിയ്ക്കുക സാമ്പത്തിക വർഷം സജ്ജമാക്കാൻ, 'സഹജമായിസജ്ജീകരിയ്ക്കുക' ക്ലിക്ക് ചെയ്യുക" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ചേരുക apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ദൌർലഭ്യം Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട് +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട് DocType: Employee Loan,Repay from Salary,ശമ്പളത്തിൽ നിന്ന് പകരം DocType: Leave Application,LAP/,ലാപ് / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},തുക {0} {1} നേരെ പേയ്മെന്റ് അഭ്യർത്ഥിക്കുന്നു {2} @@ -4049,18 +4066,18 @@ 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 +1011,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,സീരിയൽ ഇല്ല {0} ഇതിനകം ലഭിച്ചു ചെയ്തു +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: Expense Claim,Vehicle Log,വാഹന ലോഗ് DocType: Purchase Invoice,Recurring Id,ആവർത്തക ഐഡി DocType: Customer,Sales Team Details,സെയിൽസ് ടീം വിശദാംശങ്ങൾ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},അസാധുവായ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},അസാധുവായ {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,അസുഖ അവധി DocType: Email Digest,Email Digest,ഇമെയിൽ ഡൈജസ്റ്റ് DocType: Delivery Note,Billing Address Name,ബില്ലിംഗ് വിലാസം പേര് @@ -4073,6 +4090,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,ഈടാക്കുന്നതല്ല DocType: Company,Change Abbreviation,മാറ്റുക സംഗ്രഹ DocType: Expense Claim Detail,Expense Date,ചിലവേറിയ തീയതി +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ് DocType: Item,Max Discount (%),മാക്സ് കിഴിവും (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,കഴിഞ്ഞ ഓർഡർ തുക DocType: Task,Is Milestone,Milestone ആണോ @@ -4096,8 +4114,8 @@ DocType: Program Enrollment Tool,New Program,പുതിയ പ്രോഗ DocType: Item Attribute Value,Attribute Value,ന്റെതിരച്ചറിവിനു്തെറ്റായധാര്മ്മികമൂല്യം ,Itemwise Recommended Reorder Level,Itemwise പുനഃക്രമീകരിക്കുക ലെവൽ ശുപാർശിത DocType: Salary Detail,Salary Detail,ശമ്പള വിശദാംശം -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,ബാച്ച് {0} ഇനത്തിന്റെ {1} കാലഹരണപ്പെട്ടു. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,ബാച്ച് {0} ഇനത്തിന്റെ {1} കാലഹരണപ്പെട്ടു. DocType: Sales Invoice,Commission,കമ്മീഷൻ apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,നിർമാണ സമയം ഷീറ്റ്. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ആകെത്തുക @@ -4122,12 +4140,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 +399,Operation Time must be greater than 0 for Operation {0},ഓപ്പറേഷൻ സമയം ഓപ്പറേഷൻ {0} വേണ്ടി 0 വലുതായിരിക്കണം +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/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 +387,Production Order cannot be raised against a Item Template,പ്രൊഡക്ഷൻ ഓർഡർ ഒരു ഇനം ഫലകം ഈടിന്മേൽ ചെയ്യാൻ കഴിയില്ല +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,തുടങ്ങുന്ന ദിവസം @@ -4157,7 +4175,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,തീർപ്പ് തീയതി DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ഇമെയിലുകൾ അവർ അവധി ഇല്ലെങ്കിൽ, തന്നിരിക്കുന്ന നാഴിക കമ്പനിയുടെ എല്ലാ സജീവ ജീവനക്കാർക്ക് അയയ്ക്കും. പ്രതികരണങ്ങളുടെ സംഗ്രഹം അർദ്ധരാത്രിയിൽ അയയ്ക്കും." DocType: Employee Leave Approver,Employee Leave Approver,ജീവനക്കാരുടെ അവധി Approver -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട് +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട് apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","നഷ്ടപ്പെട്ട പോലെ ക്വട്ടേഷൻ വെളിപ്പെടുത്താമോ കാരണം, വർണ്ണിക്കും ചെയ്യാൻ കഴിയില്ല." 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} സമർപ്പിക്കേണ്ടതാണ് @@ -4191,6 +4209,7 @@ DocType: Announcement,Student,വിദ്യാർത്ഥി apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,ഓർഗനൈസേഷൻ യൂണിറ്റ് (വകുപ്പ്) മാസ്റ്റർ. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,സാധുവായ മൊബൈൽ നമ്പറുകൾ നൽകുക apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,അയക്കുന്നതിന് മുമ്പ് സന്ദേശം നൽകുക +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,വിതരണക്കാരൻ ഡ്യൂപ്ലിക്കേറ്റ് DocType: Email Digest,Pending Quotations,തീർച്ചപ്പെടുത്തിയിട്ടില്ല ഉദ്ധരണികൾ apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് പ്രൊഫൈൽ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,എസ്എംഎസ് ക്രമീകരണങ്ങൾ അപ്ഡേറ്റ് ദയവായി @@ -4199,7 +4218,7 @@ DocType: Cost Center,Cost Center Name,കോസ്റ്റ് സെന് DocType: Employee,B+,B ' DocType: HR Settings,Max working hours against Timesheet,Timesheet നേരെ മാക്സ് ജോലി സമയം DocType: Maintenance Schedule Detail,Scheduled Date,ഷെഡ്യൂൾഡ് തീയതി -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ആകെ പണമടച്ചു ശാരീരിക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,ആകെ പണമടച്ചു ശാരീരിക DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 അക്ഷരങ്ങളിൽ കൂടുതൽ ഗുരുതരമായത് സന്ദേശങ്ങൾ ഒന്നിലധികം സന്ദേശങ്ങൾ വിഭജിക്കും DocType: Purchase Receipt Item,Received and Accepted,ലഭിച്ച അംഗീകരിക്കപ്പെടുകയും ,GST Itemised Sales Register,ചരക്കുസേവന ഇനമാക്കിയിട്ടുള്ള സെയിൽസ് രജിസ്റ്റർ @@ -4209,7 +4228,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 +237,Your Suppliers,നിങ്ങളുടെ വിതരണക്കാരും +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',വർഗ്ഗം 'മൂലധനം' അല്ലെങ്കിൽ 'Vaulation മൊത്തം' എന്ന എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് കഴിയില്ല @@ -4221,7 +4240,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,വെബ്സൈറ്റ് ചിത്രം {0} ഇനം ഘടിപ്പിച്ചിരിക്കുന്ന {1} കണ്ടെത്താൻ കഴിയുന്നില്ല +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.,വെബ്സൈറ്റിൽ ഒന്നിലധികം സംഘങ്ങളായി ഈ ഇനം കാണിയ്ക്കുക. @@ -4236,7 +4255,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,അത് apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,വെയർഹൗസ് ചെയ്യുക apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,എല്ലാ സ്റ്റുഡന്റ് പ്രവേശന ,Average Commission Rate,ശരാശരി കമ്മീഷൻ നിരക്ക് -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'അതെ' നോൺ-ഓഹരി ഇനത്തിന്റെ വേണ്ടി ആകാൻ പാടില്ല 'സീരിയൽ നോ ഉണ്ട്' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'അതെ' നോൺ-ഓഹരി ഇനത്തിന്റെ വേണ്ടി ആകാൻ പാടില്ല 'സീരിയൽ നോ ഉണ്ട്' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ഹാജർ ഭാവി തീയതി വേണ്ടി അടയാളപ്പെടുത്തും കഴിയില്ല DocType: Pricing Rule,Pricing Rule Help,പ്രൈസിങ് റൂൾ സഹായം DocType: School House,House Name,ഹൗസ് പേര് @@ -4252,7 +4271,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 +339,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,20 +4286,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം സമയം ഷീറ്റ് {1} സൃഷ്ടിച്ച DocType: Vehicle Log,Odometer,ഓഡോമീറ്റർ DocType: Sales Order Item,Ordered Qty,ഉത്തരവിട്ടു Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ +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 +874,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 വിശദാംശങ്ങൾ apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ശമ്പളം സ്ലിപ്പിൽ ജനറേറ്റുചെയ്യൂ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","ബാധകമായ വേണ്ടി {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ വാങ്ങൽ, ചെക്ക് ചെയ്തിരിക്കണം" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","ബാധകമായ വേണ്ടി {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ വാങ്ങൽ, ചെക്ക് ചെയ്തിരിക്കണം" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ഡിസ്കൗണ്ട് 100 താഴെ ആയിരിക്കണം 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 +500,Default BOM for {0} not found,{0} കണ്ടെത്തിയില്ല സ്ഥിര BOM ൽ -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,വരി # {0}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ് +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,പ്രോഗ്രാം എൻറോൾമെന്റ് DocType: Landed Cost Voucher,Landed Cost Voucher,ചെലവ് വൗച്ചർ റജിസ്റ്റർ @@ -4343,7 +4362,6 @@ DocType: Maintenance Visit,MV,എം.വി. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,പ്രതീക്ഷിച്ച തീയതി മെറ്റീരിയൽ അഭ്യർത്ഥന തീയതി മുമ്പ് ആകാൻ പാടില്ല DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ് DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ് -DocType: Production Order,Source Warehouse (for reserving Items),ഉറവിട വെയർഹൗസ് (ഇനങ്ങൾ സംവരണം മാത്രം) DocType: Employee Loan,Repayment Period in Months,മാസങ്ങളിലെ തിരിച്ചടവ് കാലാവധി apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,പിശക്: സാധുവായ ഐഡി? DocType: Naming Series,Update Series Number,അപ്ഡേറ്റ് സീരീസ് നമ്പർ @@ -4392,7 +4410,7 @@ DocType: Production Order,Planned End Date,ആസൂത്രണം ചെയ് apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,എവിടെ ഇനങ്ങളുടെ സൂക്ഷിച്ചിരിക്കുന്നു. DocType: Request for Quotation,Supplier Detail,വിതരണക്കാരൻ വിശദാംശം apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ഫോർമുല അല്ലെങ്കിൽ അവസ്ഥയിൽ പിശക്: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Invoiced തുക +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Invoiced തുക DocType: Attendance,Attendance,ഹാജർ apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,ഓഹരി ഇനങ്ങൾ DocType: BOM,Materials,മെറ്റീരിയൽസ് @@ -4433,10 +4451,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,സെറ്റപ്പ് എന്റെ ഓർഗനൈസേഷന് ഒരു ലളിതമായ വെബ്സൈറ്റ് +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക DocType: Item,Default Warehouse,സ്ഥിരസ്ഥിതി വെയർഹൗസ് apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ബജറ്റ് ഗ്രൂപ്പ് അക്കൗണ്ട് {0} നേരെ നിയോഗിക്കുകയും കഴിയില്ല apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,പാരന്റ് കോസ്റ്റ് സെന്റർ നൽകുക @@ -4498,7 +4516,7 @@ 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 +1344,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക +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/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,ഈ ജോലിയില് ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ് @@ -4506,6 +4524,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,വർഷം ആരംഭ തീയതി DocType: Attendance,Employee Name,ജീവനക്കാരുടെ പേര് DocType: Sales Invoice,Rounded Total (Company Currency),വൃത്തത്തിലുള്ള ആകെ (കമ്പനി കറൻസി) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ദയവായി സെറ്റപ്പ് ജീവനക്കാർ ഹ്യൂമൻ റിസോഴ്സ് ൽ സംവിധാനവും> എച്ച് ക്രമീകരണങ്ങൾ 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} പരിഷ്ക്കരിച്ചു. പുതുക്കുക. DocType: Leave Block List,Stop users from making Leave Applications on following days.,താഴെ ദിവസങ്ങളിൽ അവധി അപേക്ഷിക്കുന്നതിനുള്ള നിന്നും ഉപയോക്താക്കളെ നിർത്തുക. @@ -4528,7 +4547,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,ഹബ് DocType: GL Entry,Voucher Type,സാക്ഷപ്പെടുത്തല് തരം -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന് +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} 'ഇടത്' ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ @@ -4548,7 +4567,7 @@ DocType: POS Profile,Account for Change Amount,തുക മാറ്റത് apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},വരി {0}: പാർട്ടി / അക്കൗണ്ട് {3} {4} ൽ {1} / {2} കൂടെ പൊരുത്തപ്പെടുന്നില്ല apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ചിലവേറിയ നൽകുക DocType: Account,Stock,സ്റ്റോക്ക് -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം" DocType: Employee,Current Address,ഇപ്പോഴത്തെ വിലാസം DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ഇനത്തിന്റെ മറ്റൊരു ഇനത്തിന്റെ ഒരു വകഭേദം ഇതാണെങ്കിൽ കീഴ്വഴക്കമായി വ്യക്തമാക്കപ്പെടുന്നതുവരെ പിന്നെ വിവരണം, ചിത്രം, ഉള്ളവയും, നികുതികൾ തുടങ്ങിയവ ടെംപ്ലേറ്റിൽ നിന്നും ആയിരിക്കും" DocType: Serial No,Purchase / Manufacture Details,വാങ്ങൽ / ഉത്പാദനം വിവരങ്ങൾ @@ -4587,11 +4606,12 @@ DocType: Student,Home Address,ഹോം വിലാസം apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,അസറ്റ് കൈമാറൽ DocType: POS Profile,POS Profile,POS പ്രൊഫൈൽ DocType: Training Event,Event Name,ഇവന്റ് പേര് -apps/erpnext/erpnext/config/schools.py +39,Admission,അഡ്മിഷൻ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,അഡ്മിഷൻ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},വേണ്ടി {0} പ്രവേശനം apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",ഇനം {0} ഫലകം അതിന്റെ വകഭേദങ്ങളും തിരഞ്ഞെടുക്കുക DocType: Asset,Asset Category,അസറ്റ് വർഗ്ഗം +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,വാങ്ങിക്കുന്ന apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,നെറ്റ് വേതനം നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല DocType: SMS Settings,Static Parameters,സ്റ്റാറ്റിക് പാരാമീറ്ററുകൾ DocType: Assessment Plan,Room,ഇടം @@ -4600,6 +4620,7 @@ DocType: Item,Item Tax,ഇനം നികുതി apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,എക്സൈസ് ഇൻവോയിസ് apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ത്രെഷോൾഡ് {0}% ഒന്നിലധികം തവണ ലഭ്യമാകുന്നു +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി 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,നിലവിലുള്ള ബാധ്യതകൾ @@ -4671,6 +4692,7 @@ DocType: Leave Type,Is Carry Forward,മുന്നോട്ട് വില apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിച്ചിട്ടില്ല ,Stock Summary,ഓഹരി ചുരുക്കം diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv index 5a49bca8e5..d338ac8d46 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","थांबविलेली उत्पादन ऑर्डर रद्द करता येणार नाही, रद्द करण्यासाठी प्रथम ती Unstop करा" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,निवडा मुलभूत पुरवठादार @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1} +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 +808,Invoice,चलन DocType: Maintenance Schedule Item,Periodicity,ठराविक मुदतीने पुन: पुन्हा उगवणे apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,आर्थिक वर्ष {0} आवश्यक आहे @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,कार्य प्रगती मध्ये आहे apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,कृपया तारीख निवडा DocType: Employee,Holiday List,सुट्टी यादी -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,लेखापाल +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,लेखापाल DocType: Cost Center,Stock User,शेअर सदस्य DocType: Company,Phone No,फोन नाही apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,अर्थात वेळापत्रक तयार: @@ -110,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 +269,Kg,किलो +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,किलो DocType: Student Log,Log,लॉग apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,जॉब साठी उघडत आहे. DocType: Item Attribute,Increment,बढती @@ -120,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 +42,Not permitted for {0},{0} ला परवानगी नाही apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,आयटम मिळवा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,नाही आयटम आढळला +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,विक्री चलन आयटम @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,शेअर अहवा DocType: Warehouse,Warehouse Detail,वखार तपशील apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ग्राहक {0} {1} / {2} साठी क्रेडिट मर्यादा पार गेले आहे 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""मुदत मालमत्ता आहे" मालमत्ता रेकॉर्ड आयटम विरुद्ध अस्तित्वात आहे म्हणून, अनचेक केले जाऊ शकत नाही" +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/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,एक ग्राहक समान नाव अस्तित्वात @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} पासून आणि {1} पर्यंत DocType: Item,Copy From Item Group,आयटम गट पासून कॉपी DocType: Journal Entry,Opening Entry,उघडणे प्रवेश -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,केवळ खाते वेतन DocType: Employee Loan,Repay Over Number of Periods,"कालावधी, म्हणजे क्रमांक परत फेड करा" DocType: Stock Entry,Additional Costs,अतिरिक्त खर्च @@ -179,7 +179,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,स्थावर मालमत्ता -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,खाते स्टेटमेंट +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,फार्मास्युटिकल्स DocType: Purchase Invoice Item,Is Fixed Asset,मुदत मालमत्ता आहे apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","उपलब्ध प्रमाण आहे {0}, आपल्याला आवश्यक {1}" @@ -187,7 +187,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumable +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,प्रकार उत्पादन साहित्य विनंती वरील निकषावर आधारित खेचणे @@ -213,12 +213,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,उदाहरण: मूलभूत गणित +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/config/hr.py +214,Settings for HR Module,एचआर विभाग सेटिंग्ज DocType: SMS Center,SMS Center,एसएमएस केंद्र @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,आयटम आणि किंमत apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},एकूण तास: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},तारीख पासून आर्थिक वर्षाच्या आत असावे. गृहीत धरा तारीख पासून = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,बाजारभाव DocType: Customer,Individual,वैयक्तिक DocType: Interest,Academics User,शैक्षणिक वापरकर्ता DocType: Cheque Print Template,Amount In Figure,आकृती मध्ये रक्कम @@ -266,7 +267,7 @@ DocType: Employee,Create User,वापरकर्ता तयार करा DocType: Selling Settings,Default Territory,मुलभूत प्रदेश apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,दूरदर्शन DocType: Production Order Operation,Updated via 'Time Log','वेळ लॉग' द्वारे अद्यतनित -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1} DocType: Naming Series,Series List for this Transaction,या व्यवहारासाठी मालिका यादी DocType: Company,Enable Perpetual Inventory,शा्वत यादी सक्षम DocType: Company,Default Payroll Payable Account,डीफॉल्ट वेतनपट देय खाते @@ -274,7 +275,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 +177,For Warehouse is required before Submit,कोठार सादर करा करण्यापूर्वी आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +283,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 +2256,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,संपर्क नाव +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 ग्राहक गट @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,relieving तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे 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 +189,Warehouse {0} does not belong to company {1},कोठार{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 +270,Litre,लीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,रजा अवरोधित -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट {1} वर गाठला आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट {1} वर गाठला आहे apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,बँक नोंदी apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,वार्षिक DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेअर मेळ आयटम @@ -316,7 +317,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 +316,People who teach at your organisation,आपल्या संस्थेतील शिकविता लोक +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,दर संपादित कर DocType: Item,Publish in Hub,हब मध्ये प्रकाशित DocType: Student Admission,Student Admission,विद्यार्थी प्रवेश ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} आयटम रद्द +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} आयटम रद्द apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,साहित्य विनंती DocType: Bank Reconciliation,Update Clearance Date,अद्यतन लाभ तारीख DocType: Item,Purchase Details,खरेदी तपशील @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,वेगवान व्यवस्थापक apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,परिपत्रक संदर्भ त्रुटी @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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 केल्यानंतर भरणा प्रवेशात सुधारणा करण्यात आली आहे. तो पुन्हा खेचा. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ने आयटम कर दोनदा प्रवेश केला +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ने आयटम कर दोनदा प्रवेश केला apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,या आठवड्यासाठी आणि प्रलंबित उपक्रम सारांश DocType: Student Applicant,Admitted,दाखल DocType: Workstation,Rent Cost,भाडे खर्च @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% मिळाले apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,विद्यार्थी गट तयार करा apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,सेटअप आधीच पूर्ण !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,क्रेडिट टीप रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,क्रेडिट टीप रक्कम ,Finished Goods,तयार वस्तू DocType: Delivery Note,Instructions,सूचना DocType: Quality Inspection,Inspected By,करून पाहणी केली @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,एक नवीन ग्राहक तयार करा +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,सेटअप सेटअप द्वारे उपस्थिती मालिका संख्या करा> क्रमांकन मालिका apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,खरेदी ऑर्डर तयार करा ,Purchase Register,खरेदी नोंदणी DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 मॅन्युअल वाचा @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सर्व उत्पादन प्रक्रिया साठीचे ग्लोबल सेटिंग्ज. DocType: Accounts Settings,Accounts Frozen Upto,खाती फ्रोजन पर्यंत DocType: SMS Log,Sent On,रोजी पाठविले -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,विशेषता {0} विशेषता टेबल अनेक वेळा निवडले +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,विशेषता {0} विशेषता टेबल अनेक वेळा निवडले DocType: HR Settings,Employee record is created using selected field. ,कर्मचारी रेकॉर्ड निवडलेले फील्ड वापरून तयार आहे. DocType: Sales Order,Not Applicable,लागू नाही apps/erpnext/erpnext/config/hr.py +70,Holiday master.,सुट्टी मास्टर. @@ -530,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,निवडलेले BOMs सारख्या आयटमसाठी नाहीत DocType: Pricing Rule,Valid Upto,वैध पर्यंत DocType: Training Event,Workshop,कार्यशाळा -apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","खाते प्रमाणे गटात समाविष्ट केले, तर खाते आधारित फिल्टर करू शकत नाही" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ज्या वखाराविरुद्ध साहित्य विनंती उठविली जाईल ते प्रविष्ट करा DocType: Production Order,Additional Operating Cost,अतिरिक्त कार्यकारी खर्च apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,सौंदर्यप्रसाधन -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","विलीन करण्यासाठी, खालील गुणधर्म दोन्ही आयटम समान असणे आवश्यक आहे" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","विलीन करण्यासाठी, खालील गुणधर्म दोन्ही आयटम समान असणे आवश्यक आहे" DocType: Shipping Rule,Net Weight,नेट वजन DocType: Employee,Emergency Phone,आणीबाणी फोन apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,खरेदी @@ -555,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 +2428,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -574,7 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर आणि शुल्क जोडा / संपादित करा DocType: Purchase Invoice,Supplier Invoice No,पुरवठादार चलन क्रमांक DocType: Territory,For reference,संदर्भासाठी -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",सिरियल क्रमांक {0} हटवू शकत नाही कारण तो स्टॉक व्यवहार मध्ये वापरला जातो +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",सिरियल क्रमांक {0} हटवू शकत नाही कारण तो स्टॉक व्यवहार मध्ये वापरला जातो apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),बंद (कोटी) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,आयटम हलवा DocType: Serial No,Warranty Period (Days),वॉरंटी कालावधी (दिवस) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,कृपया पहिले कंपनी आणि पक्षाचे प्रकार निवडा apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,आर्थिक / लेखा वर्षी. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,जमा मूल्ये -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","क्षमस्व, सिरीयल क्रमांक विलीन करणे शक्य नाही" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","क्षमस्व, सिरीयल क्रमांक विलीन करणे शक्य नाही" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,विक्री ऑर्डर करा DocType: Project Task,Project Task,प्रकल्प कार्य ,Lead Id,लीड आयडी @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,वाटप apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,विक्री परत 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,टीप: एकूण वाटप पाने {0} आधीच मंजूर पाने कमी असू नये {1} कालावधीसाठी +,Total Stock Summary,एकूण शेअर सारांश DocType: Announcement,Posted By,द्वारा पोस्ट केलेले DocType: Item,Delivered by Supplier (Drop Ship),पुरवठादार द्वारे वितरित (ड्रॉप जहाज) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,संभाव्य ग्राहकांच्या डेटाबेस. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ग्राहक DocType: Quotation,Quotation To,करण्यासाठी कोटेशन DocType: Lead,Middle Income,मध्यम उत्पन्न apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),उघडणे (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आपण अगोदरच काही व्यवहार (चे) दुसर्या UOM केलेल्या कारण {0} थेट बदलले करू शकत नाही आयटम माप मुलभूत युनिट जाईल. आपण वेगळी डीफॉल्ट UOM वापरण्यासाठी एक नवीन आयटम तयार करणे आवश्यक आहे. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आपण अगोदरच काही व्यवहार (चे) दुसर्या UOM केलेल्या कारण {0} थेट बदलले करू शकत नाही आयटम माप मुलभूत युनिट जाईल. आपण वेगळी डीफॉल्ट UOM वापरण्यासाठी एक नवीन आयटम तयार करणे आवश्यक आहे. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,रक्कम नकारात्मक असू शकत नाही apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,कंपनी सेट करा apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,कंपनी सेट करा @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,मास्टर्स DocType: Assessment Plan,Maximum Assessment Score,जास्तीत जास्त मूल्यांकन धावसंख्या apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,सुधारणा बँक व्यवहार तारखा apps/erpnext/erpnext/config/projects.py +30,Time Tracking,वेळ ट्रॅकिंग +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,वाहतुक डुप्लिकेट DocType: Fiscal Year Company,Fiscal Year Company,आर्थिक वर्ष कंपनी DocType: Packing Slip Item,DN Detail,DN तपशील DocType: Training Event,Conference,परिषद @@ -685,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 +320,Timesheet created:,Timesheet तयार: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,नाव नोंदणी करा DocType: GST Settings,GST Settings,'जीएसटी' सेटिंग्ज DocType: Selling Settings,Customer Naming By,करून ग्राहक नामांकन @@ -715,7 +719,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 +139,Finish,समाप्त +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,समाप्त apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,बेस DocType: Timesheet,Total Billed Hours,एकूण बिल आकारले तास DocType: Journal Entry,Write Off Amount,Write Off रक्कम @@ -750,7 +754,7 @@ DocType: Hub Settings,Seller City,विक्रेता सिटी ,Absent Student Report,अनुपस्थित विद्यार्थी अहवाल DocType: Email Digest,Next email will be sent on:,पुढील ई-मेल वर पाठविण्यात येईल: DocType: Offer Letter Term,Offer Letter Term,पत्र मुदत ऑफर -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,आयटमला रूपे आहेत. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,आयटमला रूपे आहेत. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,आयटम {0} आढळला नाही DocType: Bin,Stock Value,शेअर मूल्य apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,कंपनी {0} अस्तित्वात नाही @@ -797,12 +801,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","अनेक किंमतीचे नियम समान निकषा सह अस्तित्वात नाहीत , प्राधान्य सोपवून संघर्षाचे निराकरण करा. किंमत नियम: {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,इतर 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 +48,Make Timesheet,Timesheet करा +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -841,13 +845,13 @@ 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,कौटुंबिक पार्श्वभूमी DocType: Request for Quotation Supplier,Send Email,ईमेल पाठवा -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},चेतावणी: अवैध संलग्नक {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,कोणतीही परवानगी नाही +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},चेतावणी: अवैध संलग्नक {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,कोणतीही परवानगी नाही 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 +269,Nos,क्रमांक +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} सादर करणे आवश्यक आहे @@ -867,7 +871,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,जमा घसारा उघडत @@ -955,14 +959,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} ही देखभाल भेट रद्द होण्यापुर्वी रद्द करा -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},सिरियल क्रमांक {0} आयटम {1} शी संबंधित नाही +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},सिरियल क्रमांक {0} आयटम {1} शी संबंधित नाही DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,विद्यमान व्यवहार गोदामे खातेवही रूपांतरीत केले जाऊ शकत नाही. DocType: Bank Reconciliation,Total Amount,एकूण रक्कम @@ -979,7 +983,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,घटक apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},आयटम मध्ये मालमत्ता वर्ग प्रविष्ट करा {0} DocType: Quality Inspection Reading,Reading 6,6 वाचन -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,नाही {0} {1} {2} कोणत्याही नकारात्मक थकबाकी चलन करू शकता +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,नाही {0} {1} {2} कोणत्याही नकारात्मक थकबाकी चलन करू शकता 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} सोबत दुवा साधली जाऊ शकत नाही @@ -993,12 +997,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 +731,New Sales Invoice,नवीन विक्री चलन +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या DocType: Payment Request,Paid,पेड DocType: Program Fee,Program Fee,कार्यक्रम शुल्क DocType: Salary Slip,Total in words,शब्दात एकूण @@ -1031,10 +1035,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,रासायनिक DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,मुलभूत बँक / रोख खाते आपोआप या मोडमध्ये निवडलेले असताना पगार जर्नल प्रवेश मध्ये सुधारीत केले जाईल. DocType: BOM,Raw Material Cost(Company Currency),कच्चा माल खर्च (कंपनी चलन) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,सर्व आयटम आधीच या उत्पादन ऑर्डर बदल्या करण्यात आल्या आहेत. +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 +270,Meter,मीटर +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,मीटर DocType: Workstation,Electricity Cost,वीज खर्च DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी वाढदिवस स्मरणपत्रे पाठवू नका DocType: Item,Inspection Criteria,तपासणी निकष @@ -1057,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,Qty उघडणे -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +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 +259,Qty for {0},{0} साठी Qty +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,रजा ब्लॉक यादी तारखा @@ -1077,9 +1081,9 @@ DocType: Purchase Invoice,Cash/Bank Account,रोख / बँक खाते apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},निर्दिष्ट करा एक {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,प्रमाणात किंवा मूल्यात बदल नसलेले आयटम काढले . DocType: Delivery Note,Delivery To,वितरण -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,विशेषता टेबल अनिवार्य आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,विशेषता टेबल अनिवार्य आहे DocType: Production Planning Tool,Get Sales Orders,विक्री ऑर्डर मिळवा -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} नकारात्मक असू शकत नाही +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} नकारात्मक असू शकत नाही apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,सवलत DocType: Asset,Total Number of Depreciations,Depreciations एकूण क्रमांक DocType: Sales Invoice Item,Rate With Margin,मार्जिन दर @@ -1116,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 +1546,ZIP Code,पिनकोड +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1139,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,आपल्या पुरवठादारांची यादी करा. ते संघटना किंवा व्यक्ती असू शकते. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),किमान लीड वय (दिवस) @@ -1160,7 +1164,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,वितरक DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,हे खरेदी सूचीत टाका शिपिंग नियम apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,उत्पादन ऑर्डर {0} या विक्री ऑर्डरआधी रद्द आधी रद्द करणे आवश्यक आहे -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',कृपया 'वर अतिरिक्त सवलत लागू करा' सेट करा +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,श्रेणी पासून श्रेणी पर्यंत कमी असली पाहिजे DocType: Global Defaults,Global Defaults,ग्लोबल डीफॉल्ट @@ -1168,10 +1172,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN प्रथम 2 अंक राज्य संख्या जुळणे आवश्यक आहे {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,क्षमता नियोजन त्रुटी +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,क्षमता नियोजन त्रुटी ,Trial Balance for Party,पार्टी चाचणी शिल्लक DocType: Lead,Consultant,सल्लागार DocType: Salary Slip,Earnings,कमाई @@ -1190,7 +1194,7 @@ DocType: Purchase Invoice,Is Return,परत आहे apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,परत / डेबिट टीप DocType: Price List Country,Price List Country,किंमत यादी देश DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} हा आयटम {1} साठी वैध सिरीयल क्रमांक आहे +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} हा आयटम {1} साठी वैध सिरीयल क्रमांक आहे apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,आयटम कोड सिरियल क्रमांकासाठी बदलला जाऊ शकत नाही apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},पीओएस प्रोफाइल {0} आधीपासूनच वापरकर्त्यासाठी तयार: {1} आणि कंपनी {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM रुपांतर फॅक्टर @@ -1200,7 +1204,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 +675,Cost Center For Item with Item Code ',खर्च केंद्र आयटम साठी 'आयटम कोड' बरोबर -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","पुढील खाती गट अंतर्गत केले जाऊ शकते, पण नोंदी नॉन-गट करू शकता" @@ -1243,7 +1247,7 @@ 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,लेजर पहा DocType: Grading Scale,Intervals,कालांतराने apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,लवकरात लवकर -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","आयटम त्याच नावाने अस्तित्वात असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आयटम {0} बॅच असू शकत नाही @@ -1272,7 +1276,7 @@ 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 +288,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स DocType: Purchase Invoice,Rejected Warehouse,नाकारल्याचे कोठार DocType: GL Entry,Against Voucher,व्हाउचर विरुद्ध DocType: Item,Default Buying Cost Center,मुलभूत खरेदी खर्च केंद्र @@ -1283,7 +1287,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,विक्री ऑर्डर {0} वैध नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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,14 +1305,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,समस्या ठिकाण apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,करार DocType: Email Digest,Add Quote,कोट जोडा -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM आवश्यक UOM coversion घटक: {0} आयटम मध्ये: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM आवश्यक UOM coversion घटक: {0} आयटम मध्ये: {1} 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 +736,Sync Master Data,समक्रमण मास्टर डेटा -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,आपली उत्पादने किंवा सेवा +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,आपली उत्पादने किंवा सेवा DocType: Mode of Payment,Mode of Payment,मोड ऑफ पेमेंट्स -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी DocType: Student Applicant,AP,आंध्र प्रदेश DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,हा रूट आयटम गट आहे आणि संपादित केला जाऊ शकत नाही. @@ -1326,14 +1330,13 @@ 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 +562,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही," +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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 वर आधारित पहिले निवडलेला आहे , जो आयटम, आयटम गट किंवा ब्रॅण्ड असू शकतो" 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 असावे -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},उत्पादन आदेश स्थिती {0} DocType: Appraisal Goal,Goal,लक्ष्य DocType: Sales Invoice Item,Edit Description,वर्णन संपादित करा ,Team Updates,टीम सुधारणा @@ -1349,14 +1352,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल कोठार या कोठार अस्तित्वात नाही. आपण या कोठार हटवू शकत नाही. DocType: Item,Website Item Groups,वेबसाइट आयटम गट DocType: Purchase Invoice,Total (Company Currency),एकूण (कंपनी चलन) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,अनुक्रमांक {0} एकापेक्षा अधिक वेळा enter केला आहे +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 +78,{0} items in progress,{0} प्रगतीपथावर आयटम +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1418,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,आरंभ 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,7 +1430,7 @@ 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 +260,Max: {0},कमाल: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,संवाद लॉग. @@ -1438,7 +1440,7 @@ DocType: Sales Invoice,Shipping Address Name,शिपिंग पत्ता apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,लेखा चार्ट DocType: Material Request,Terms and Conditions Content,अटी आणि शर्ती सामग्री apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,पेक्षा जास्त 100 असू शकत नाही -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} आयटम स्टॉक आयटम नाही +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} आयटम स्टॉक आयटम नाही DocType: Maintenance Visit,Unscheduled,Unscheduled DocType: Employee,Owned,मालकीचे DocType: Salary Detail,Depends on Leave Without Pay,वेतन न करता सोडा अवलंबून असते @@ -1469,7 +1471,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 +273,We buy this Item,आम्ही ही आयटम खरेदी +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 +1482,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 +266,Sub Assemblies,उप विधानसभा +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,उप विधानसभा DocType: Asset,Asset Name,मालमत्ता नाव DocType: Project,Task Weight,कार्य वजन DocType: Shipping Rule Condition,To Value,मूल्य @@ -1513,12 +1515,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,स्रोत 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 +239,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,भरणा टेबल मधे रेकॉर्ड आढळले नाहीत apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},या {0} संघर्ष {1} साठी {2} {3} DocType: Student Attendance Tool,Students HTML,विद्यार्थी HTML DocType: POS Profile,Apply Discount,सवलत लागू करा -DocType: Purchase Invoice Item,GST HSN Code,'जीएसटी' HSN कोड +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 +283,Packing Slip(s) cancelled,रद्द केलेल्या पॅकिंग स्लिप (चे) @@ -1561,8 +1563,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 +2573,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,बॉक्स +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 +873,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,स्वीकारणार्याची सूची रिक्त आहे. स्वीकारणारा यादी तयार करा @@ -1592,7 +1594,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,परतफेड पद्धत DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","चेक केलेले असल्यास, मुख्यपृष्ठ वेबसाइट मुलभूत बाबींचा गट असेल" DocType: Quality Inspection Reading,Reading 4,4 वाचन -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},साठी {0} प्रकल्प आढळले नाही डीफॉल्ट BOM {1} 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} @@ -1609,29 +1610,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,नवीन क apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,कोटेशन करा apps/erpnext/erpnext/config/selling.py +216,Other Reports,इतर अहवाल DocType: Dependent Task,Dependent Task,अवलंबित कार्य -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},रूपांतरण घटक माप मुलभूत युनिट साठी सलग {0} मधे 1 असणे आवश्यक आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},रूपांतरण घटक माप मुलभूत युनिट साठी सलग {0} मधे 1 असणे आवश्यक आहे 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} DocType: SMS Center,Receiver List,स्वीकारण्याची यादी -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,आयटम शोध +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,आधीच पूर्ण +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/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 +263,Quantity must not be more than {0},प्रमाण {0} पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 आयडी DocType: Account,Account Name,खाते नाव apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,तारखेपासून ची तारीख तारीख पर्यंतच्या तारखेपेक्षा जास्त असू शकत नाही -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,सिरियल क्रमांक {0} हा {1} प्रमाणात एक अपूर्णांक असू शकत नाही +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,सिरियल क्रमांक {0} हा {1} प्रमाणात एक अपूर्णांक असू शकत नाही apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,पुरवठादार प्रकार मास्टर. 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 असू शकत नाही @@ -1639,6 +1640,7 @@ 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: Delivery Note,Vehicle Dispatch Date,वाहन खलिता तारीख +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,"खरेदी पावती {0} सबमिट केलेली नाही," DocType: Company,Default Payable Account,मुलभूत देय खाते apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","जसे शिपिंग नियम, किंमत सूची इत्यादी ऑनलाइन शॉपिंग कार्ट सेटिंग्ज" @@ -1695,7 +1697,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,leaves म्हण DocType: Sales Invoice,Packed Items,पॅक केलेला आयटम apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,सिरियल क्रमांका विरुद्ध हमी दावा DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ज्या इतर सर्व BOMs मध्ये हे वापरले जाते तो विशिष्ट BOM बदला. यामुळे जुन्या BOM दुवा पुनर्स्थित खर्च अद्ययावत आणि नवीन BOM नुसार ""BOM स्फोट आयटम 'टेबल निर्माण होईल" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','एकूण' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','एकूण' DocType: Shopping Cart Settings,Enable Shopping Cart,खरेदी सूचीत टाका आणि सक्षम करा DocType: Employee,Permanent Address,स्थायी पत्ता apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1731,6 +1733,7 @@ DocType: Material Request,Transferred,हस्तांतरित DocType: Vehicle,Doors,दारे apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण! DocType: Course Assessment Criteria,Weightage,वजन +DocType: Sales 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,7 +1753,7 @@ 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 +699,Offline,ऑफलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 +1770,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,मुख्य apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,जिच्यामध्ये variant DocType: Naming Series,Set prefix for numbering series on your transactions,तुमचा व्यवहार वर मालिका संख्या सेट पूर्वपद DocType: Employee Attendance Tool,Employees HTML,कर्मचारी एचटीएमएल -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे DocType: Employee,Leave Encashed?,रजा मिळविता? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,field पासून संधी अनिवार्य आहे DocType: Email Digest,Annual Expenses,वार्षिक खर्च @@ -1780,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 +175,Work-in-Progress Warehouse is required before Submit,कार्य प्रगती मध्ये असलेले कोठार सबमिट करण्यापूर्वी आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,आपल्या पुरवठादार बद्दल वैधानिक माहिती आणि इतर सर्वसाधारण माहिती @@ -1790,7 +1793,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,विद्यार्थी गट शक्ती apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल विरुद्ध प्रवेश {0} कोणत्याही न जुळणारी {1} नोंद नाही apps/erpnext/erpnext/config/hr.py +137,Appraisals,त्यावेळच्या -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},आयटम {0} साठी डुप्लिकेट सिरियल क्रमांक प्रविष्ट केला नाही +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}. प्रती-बिलिंग परवानगी करण्यासाठी, सेटिंग्ज खरेदी सेट करा" @@ -1799,7 +1802,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,भरणा @@ -1818,12 +1821,12 @@ 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 +257,"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 +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 गट, मोजण्याचे एकक आणि इतर मालमत्ता तपासण्याची खात्री करा" 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: Asset Movement,Asset Movement,मालमत्ता चळवळ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,नवीन टाका +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,रणधुमाळी @@ -1849,7 +1852,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरेदी पावत्यांचे आयटम मिळवा DocType: Serial No,Creation Date,तयार केल्याची तारीख apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},आयटम {0} किंमत यादी {1} मध्ये अनेक वेळा आढळतो -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","पाञ {0} म्हणून निवडले असेल , तर विक्री, चेक करणे आवश्यक आहे" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","पाञ {0} म्हणून निवडले असेल , तर विक्री, चेक करणे आवश्यक आहे" DocType: Production Plan Material Request,Material Request Date,साहित्य विनंती तारीख DocType: Purchase Order Item,Supplier Quotation Item,पुरवठादार कोटेशन आयटम DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,उत्पादन आदेश विरुद्ध वेळ नोंदी तयार करणे अक्षम करते .ऑपरेशन उत्पादन ऑर्डर विरुद्ध मागे काढला जाऊ नये @@ -1866,12 +1869,12 @@ DocType: Supplier,Supplier of Goods or Services.,वस्तू किंवा DocType: Budget,Fiscal Year,आर्थिक वर्ष DocType: Vehicle Log,Fuel Price,इंधन किंमत DocType: Budget,Budget,अर्थसंकल्प -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,मुदत मालमत्ता आयटम नॉन-स्टॉक आयटम असणे आवश्यक आहे. +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 +209,e.g. 5,उदा 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1883,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 +263,A Product or Service,एखादी उत्पादन किंवा सेवा +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,वर्तमान मूल्य @@ -1955,7 +1958,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,जोडी +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,जोडी apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा DocType: Asset,Depreciation Schedule,घसारा वेळापत्रक apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,विक्री भागीदार पत्ते आणि संपर्क @@ -1974,10 +1977,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},आयटम गट आयटम मास्त्रे साठी आयटम {0} मधे नमूद केलेला नाही -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे +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,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे DocType: Shipping Rule Condition,Shipping Amount,शिपिंग रक्कम -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ग्राहक जोडा +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,वितरित केले @@ -1994,6 +1997,7 @@ DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग् ,Supplier-Wise Sales Analytics,पुरवठादार-नुसार विक्री विश्लेषण apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,अदा केलेली रक्कम प्रविष्ट करा DocType: Salary Structure,Select employees for current Salary Structure,चालू तत्वे कर्मचारी निवडा +DocType: Sales Invoice,Company Address Name,कंपनी पत्ता नाव 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)",पालक कोर्स (रिक्त सोडा या पालक कोर्स भाग नाही तर) @@ -2014,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 +269,Unit,युनिट +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,तुम्ही नाकारलेले आयटम राखण्यासाठी आहेत ते कोठार @@ -2036,7 +2040,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","सलग # {0}: संदर्भ दस्तऐवज प्रकार विक्री ऑर्डर एक, विक्री चलन किंवा जर्नल प्रवेश असणे आवश्यक आहे" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: पासून वेळ आणि वेळ करणे बंधनकारक आहे. DocType: Stock Reconciliation Item,Amount Difference,रक्कम फरक @@ -2045,7 +2049,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,प्रदेशानुसार ग्राहक वर्गीकरण apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,फरक रक्कम शून्य असणे आवश्यक आहे DocType: Project,Gross Margin,एकूण मार्जिन -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,पहिले उत्पादन आयटम प्रविष्ट करा +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 +748,Quotation,कोटेशन @@ -2057,7 +2061,7 @@ 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: Opportunity,Customer / Lead Address,ग्राहक / लीड पत्ता -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},चेतावणी: जोड वर अवैध SSL प्रमाणपत्र {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},चेतावणी: जोड वर अवैध SSL प्रमाणपत्र {0} DocType: Student Admission,Eligibility,पात्रता apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","निष्पन्न आपल्याला प्राप्त व्यवसाय, आपल्या निष्पन्न म्हणून सर्व आपले संपर्क जोडू शकता आणि अधिक मदत" DocType: Production Order Operation,Actual Operation Time,वास्तविक ऑपरेशन वेळ @@ -2076,11 +2080,11 @@ DocType: Appraisal,Calculate Total Score,एकूण धावसंख्य DocType: Request for Quotation,Manufacturing Manager,उत्पादन व्यवस्थापक apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},सिरियल क्रमांक {0} हा {1} पर्यंत हमी अंतर्गत आहे apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,वितरण टीप मधे संकुल मधे Split करा . -apps/erpnext/erpnext/hooks.py +87,Shipments,निर्यात +apps/erpnext/erpnext/hooks.py +94,Shipments,निर्यात DocType: Payment Entry,Total Allocated Amount (Company Currency),एकूण रक्कम (कंपनी चलन) DocType: Purchase Order Item,To be delivered to customer,ग्राहकाला वितरित करणे DocType: BOM,Scrap Material Cost,स्क्रॅप साहित्य खर्च -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,सिरियल क्रमांक {0} कोणत्याही वखारशी संबंधित नाही +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,सिरियल क्रमांक {0} कोणत्याही वखारशी संबंधित नाही DocType: Purchase Invoice,In Words (Company Currency),शब्द मध्ये (कंपनी चलन) DocType: Asset,Supplier,पुरवठादार DocType: C-Form,Quarter,तिमाहीत @@ -2095,11 +2099,10 @@ DocType: Leave Application,Total Leave Days,एकूण दिवस रजा DocType: Email Digest,Note: Email will not be sent to disabled users,टीप: ईमेल वापरकर्त्यांना अक्षम पाठविली जाऊ शकत नाही apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,संवाद संख्या apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,संवाद संख्या -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड 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 +408,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","किमान एक सलग रक्कम, चलन प्रकार आणि चलन क्रमांक निवडा" @@ -2143,7 +2146,8 @@ 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,मुख्य कार्यकारी अधिकारी DocType: Expense Claim Detail,Expense Claim Detail,खर्च हक्क तपशील -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,कृपया योग्य खाते निवडा +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,पुरवठादार साठी तिप्पट +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,कृपया योग्य खाते निवडा DocType: Item,Weight UOM,वजन UOM DocType: Salary Structure Employee,Salary Structure Employee,पगार संरचना कर्मचारी DocType: Employee,Blood Group,रक्त गट @@ -2165,7 +2169,7 @@ DocType: Student,Guardians,पालक 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 +336,Debit To is required,डेबिट करणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ऑफर मुदत @@ -2178,7 +2182,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},एकूण न DocType: BOM Website Operation,BOM Website Operation,BOM वेबसाइट ऑपरेशन apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ऑफर पत्र apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,साहित्य विनंत्या (एमआरपी) आणि उत्पादन आदेश व्युत्पन्न. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,एकूण Invoiced रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,एकूण Invoiced रक्कम DocType: BOM,Conversion Rate,रूपांतरण दर apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,उत्पादन शोध DocType: Timesheet Detail,To Time,वेळ @@ -2193,7 +2197,7 @@ 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} शेअर सलोखा वापरून कृपया शेअर प्रवेश केले जाऊ शकत नाही DocType: Training Event Employee,Training Event Employee,प्रशिक्षण कार्यक्रम कर्मचारी -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} सिरिअल क्रमांक हा आयटम {1} साठी आवश्यक आहे. आपल्याला {2} प्रदान केलेल्या आहेत +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} सिरिअल क्रमांक हा आयटम {1} साठी आवश्यक आहे. आपल्याला {2} प्रदान केलेल्या आहेत DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर DocType: Item,Customer Item Codes,ग्राहक आयटम कोड apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,विनिमय लाभ / कमी होणे @@ -2241,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 +2454,Select Batch No,बॅच निवडा कोणत्याही +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,आगाऊ रक्कम @@ -2265,19 +2269,19 @@ DocType: Leave Block List,Allow Users,वापरकर्त्यांना DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,स्वतंत्र उत्पन्न ट्रॅक आणि उत्पादन verticals किंवा विभाग लवकरात. DocType: Rename Tool,Rename Tool,साधन पुनर्नामित करा -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,अद्यतन खर्च +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 +438,Show Salary Slip,पगार शो स्लिप्स apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,बदल निवडा रक्कम खाते +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,कर जोडा +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,6 +2292,7 @@ DocType: Stock Entry,Purchase Receipt No,खरेदी पावती ना apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,इसा-याची रक्कम DocType: Process Payroll,Create Salary Slip,पगाराच्या स्लिप्स तयार करा apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC कोड 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,कर्मचारी @@ -2317,7 +2322,7 @@ DocType: Employee Education,Post Graduate,पोस्ट ग्रॅज्य DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,देखभाल वेळापत्रक तपशील DocType: Quality Inspection Reading,Reading 9,9 वाचन DocType: Supplier,Is Frozen,गोठवले आहे -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,गट नोड कोठार व्यवहार निवडण्यासाठी परवानगी नाही +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,गट नोड कोठार व्यवहार निवडण्यासाठी परवानगी नाही DocType: Buying Settings,Buying Settings,खरेदी सेटिंग्ज DocType: Stock Entry Detail,BOM No. for a Finished Good Item,एक तयार झालेले चांगले आयटम साठी BOM क्रमांक DocType: Upload Attendance,Attendance To Date,उपस्थिती पासून तारीख @@ -2333,13 +2338,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.,आपण खरोखर या कंपनीतील सर्व व्यवहार हटवू इच्छिता याची खात्री करा. तुमचा 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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM कोणत्याही आयटम agianst उल्लेख केला तर आपण दर बदलू शकत नाही +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,प्रमाण साठी apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},सलग आयटम {0} सलग{1} येथे साठी नियोजनबद्ध Qty प्रविष्ट करा @@ -2361,7 +2366,7 @@ DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य DocType: BOM,Show Operations,ऑपरेशन्स शो ,Minutes to First Response for Opportunity,संधी प्रथम प्रतिसाद मिनिटे apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,एकूण अनुपिस्थत -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी सामग्री विनंती जुळत नाही +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी सामग्री विनंती जुळत नाही apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,माप युनिट DocType: Fiscal Year,Year End Date,अंतिम वर्ष तारीख DocType: Task Depends On,Task Depends On,कार्य अवलंबून असते @@ -2433,7 +2438,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},विक्री ऑर्डर पेक्षा {1} प्रमाणात जास्त {0} item उत्पादन करू शकत नाही +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/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,पुढील संपर्क होऊ ईमेल पत्ता समान असू शकत नाही @@ -2531,9 +2536,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,संदर्भ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,संदर्भ DocType: Budget,Cost Center,खर्च केंद्र apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,प्रमाणक # DocType: Notification Control,Purchase Order Message,ऑर्डर संदेश खरेदी @@ -2549,7 +2554,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 +1165,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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: Project,Task Completion,कार्य पूर्ण apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,स्टॉक मध्ये नाही DocType: Appraisal,HR User,एचआर सदस्य DocType: Purchase Invoice,Taxes and Charges Deducted,कर आणि शुल्क वजा -apps/erpnext/erpnext/hooks.py +116,Issues,मुद्दे +apps/erpnext/erpnext/hooks.py +124,Issues,मुद्दे apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},{0} पैकी स्थिती एक असणे आवश्यक आहे DocType: Sales Invoice,Debit To,करण्यासाठी डेबिट DocType: Delivery Note,Required only for sample item.,फक्त नमुन्यासाठी आवश्यक आयटम . @@ -2597,6 +2602,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,प्रदेश apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,आवश्यक भेटी क्रमांकाचा उल्लेख करा DocType: Stock Settings,Default Valuation Method,मुलभूत मूल्यांकन पद्धत +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,फी DocType: Vehicle Log,Fuel Qty,इंधन प्रमाण DocType: Production Order Operation,Planned Start Time,नियोजनबद्ध प्रारंभ वेळ DocType: Course,Assessment,मूल्यांकन @@ -2606,12 +2612,12 @@ 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 +149,Quotation {0} is cancelled,कोटेशन {0} रद्द -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,एकूण थकबाकी रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,एकूण थकबाकी रक्कम DocType: Sales Partner,Targets,लक्ष्य DocType: Price List,Price List Master,किंमत सूची मास्टर DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"सर्व विक्री व्यवहार अनेक ** विक्री व्यक्ती ** विरुद्ध टॅग केले जाऊ शकते यासाठी की, तुम्ही सेट आणि लक्ष्य निरीक्षण करू शकता" ,S.O. No.,S.O. क्रमांक -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},लीडपासून ग्राहक तयार करा {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},लीडपासून ग्राहक तयार करा {0} DocType: Price List,Applicable for Countries,देशांसाठी लागू apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,फक्त स्थिती सह अनुप्रयोग सोडा 'मंजूर' आणि 'रिजेक्टेड' सादर केला जाऊ शकतो apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},विद्यार्थी गट नाव सलग आवश्यक आहे {0} @@ -2649,6 +2655,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/config/hr.py +163,Define various loan types,विविध कर्ज प्रकार काय हे स्पष्ट करा DocType: Bin,FCFS Rate,FCFS दर DocType: Payment Reconciliation Invoice,Outstanding Amount,बाकी रक्कम @@ -2691,8 +2698,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,उत्पादन स 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.,सवलत टक्केवारी एका दर सूची विरुद्ध किंवा सर्व दर सूची एकतर लागू होऊ शकते. DocType: Purchase Invoice,Half-yearly,सहामाही apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,शेअर एकट्या प्रवेश +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,आपण मूल्यांकन निकष आधीच मूल्यमापन आहे {}. DocType: Vehicle Service,Engine Oil,इंजिन तेल -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया सेटअप कर्मचारी मानव संसाधन मध्ये प्रणाली नामांकन> एचआर सेटिंग्ज 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,ग्राहक पत्ता @@ -2720,7 +2727,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,कायदेशीर अस्तित्व / उपकंपनी स्वतंत्र लेखा चार्ट सह संघटनेला संबंधित करते DocType: Payment Request,Mute Email,निःशब्द ईमेल apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","अन्न, पेय आणि तंबाखू" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,आयोग दर 100 पेक्षा जास्त असू शकत नाही DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,प्रथम {0} प्रविष्ट करा @@ -2748,7 +2755,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,विद्यार्थी मासिक उपस्थिती पत्रक apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},कर्मचारी {0} आधीच अर्ज केला आहे {1} दरम्यान {2} आणि {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,प्रकल्प सुरू तारीख -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,पर्यंत +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,पर्यंत DocType: Rename Tool,Rename Log,लॉग पुनर्नामित करा apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,विद्यार्थी किंवा गट कोर्स वेळापत्रक अनिवार्य आहे apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,विद्यार्थी किंवा गट कोर्स वेळापत्रक अनिवार्य आहे @@ -2773,7 +2780,7 @@ DocType: Purchase Order Item,Returned Qty,परत केलेली Qty DocType: Employee,Exit,बाहेर पडा apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,रूट प्रकार अनिवार्य आहे DocType: BOM,Total Cost(Company Currency),एकूण खर्च (कंपनी चलन) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,सिरियल क्रमांक{0} तयार केला +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,सिरियल क्रमांक{0} तयार केला DocType: Homepage,Company Description for website homepage,वेबसाइट मुख्यपृष्ठावर कंपनी वर्णन DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ग्राहकांच्या सोयीसाठी, हे कोड पावत्या आणि वितरण टिपा सारख्या प्रिंट स्वरूपात वापरले जाऊ शकते" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier नाव @@ -2794,7 +2801,7 @@ DocType: SMS Settings,SMS Gateway URL,एसएमएस गेटवे URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,अर्थात वेळापत्रक हटविला: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,एसएमएस स्थिती राखण्यासाठी नोंदी DocType: Accounts Settings,Make Payment via Journal Entry,जर्नल प्रवेश द्वारे रक्कम -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,छापील रोजी +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,छापील रोजी DocType: Item,Inspection Required before Delivery,तपासणी वितरण आधी आवश्यक DocType: Item,Inspection Required before Purchase,तपासणी खरेदी करण्यापूर्वी आवश्यक apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,प्रलंबित उपक्रम @@ -2826,9 +2833,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,विद apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,मर्यादा क्रॉस apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,या 'शैक्षणिक वर्ष' एक शैक्षणिक मुदत {0} आणि 'मुदत नाव' {1} आधीच अस्तित्वात आहे. या नोंदी सुधारित आणि पुन्हा प्रयत्न करा. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","आयटम {0} विरुद्ध विद्यमान व्यवहार आहेत, तुम्ही मूल्य बदलू शकत नाही {1}" +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}","आयटम {0} विरुद्ध विद्यमान व्यवहार आहेत, तुम्ही मूल्य बदलू शकत नाही {1}" DocType: UOM,Must be Whole Number,संपूर्ण क्रमांक असणे आवश्यक आहे DocType: Leave Control Panel,New Leaves Allocated (In Days),नवी पाने वाटप (दिवस मध्ये) +DocType: Sales Invoice,Invoice Copy,चलन कॉपी apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,सिरियल क्रमांक {0} अस्तित्वात नाही DocType: Sales Invoice Item,Customer Warehouse (Optional),ग्राहक भांडार (पर्यायी) DocType: Pricing Rule,Discount Percentage,सवलत टक्केवारी @@ -2874,8 +2882,10 @@ 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 +305,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,जमा घसारा खाते DocType: Stock Settings,Freeze Stock Entries,फ्रीझ शेअर नोंदी +DocType: Program Enrollment,Boarding Student,बोर्डिंग विद्यार्थी DocType: Asset,Expected Value After Useful Life,अपेक्षित मूल्य उपयुक्त जीवन नंतर DocType: Item,Reorder level based on Warehouse,वखारवर आधारित पुन्हा क्रमवारी लावा पातळी DocType: Activity Cost,Billing Rate,बिलिंग दर @@ -2903,11 +2913,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,क्रियाकलाप आधारित गट विद्यार्थ्यांना निवडा स्वतः DocType: Journal Entry,User Remark,सदस्य शेरा DocType: Lead,Market Segment,बाजार विभाग -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},अदा केलेली रक्कम एकूण नकारात्मक थकबाकी रक्कम पेक्षा जास्त असू शकत नाही {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},अदा केलेली रक्कम एकूण नकारात्मक थकबाकी रक्कम पेक्षा जास्त असू शकत नाही {0} DocType: Employee Internal Work History,Employee Internal Work History,कर्मचारी अंतर्गत कार्य इतिहास apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),बंद (डॉ) DocType: Cheque Print Template,Cheque Size,धनादेश आकार -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,सिरियल क्रमांक {0} स्टॉक मध्ये नाही +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,सिरियल क्रमांक {0} स्टॉक मध्ये नाही apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,व्यवहार विक्री कर टेम्प्लेट. DocType: Sales Invoice,Write Off Outstanding Amount,Write Off बाकी रक्कम apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},खाते {0} कंपनी जुळत नाही {1} @@ -2932,7 +2942,7 @@ 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 +348,Add a few sample records,काही नमुना रेकॉर्ड जोडा +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,पूर्णतः वितरित @@ -2946,17 +2956,17 @@ 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,शेअर Qty अंदाज -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ग्राहक {0} प्रोजेक्ट {1} ला संबंधित नाही +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,ग्राहकाच्या पर्चेस apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,सिरियल क्रमांक आणि बॅच DocType: Warranty Claim,From Company,कंपनी पासून -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन निकष स्कोअर बेरीज {0} असणे आवश्यक आहे. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन निकष स्कोअर बेरीज {0} असणे आवश्यक आहे. 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 +270,Minute,मिनिट +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,मिनिट DocType: Purchase Invoice,Purchase Taxes and Charges,कर आणि शुल्क खरेदी ,Qty to Receive,प्राप्त करण्यासाठी Qty DocType: Leave Block List,Leave Block List Allowed,रजा ब्लॉक यादी परवानगी दिली @@ -2977,7 +2987,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,बँक ओव्हरड्राफ्ट खाते apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,पगाराच्या स्लिप्स करा apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,पंक्ती # {0}: रक्कम थकबाकी रक्कम पेक्षा जास्त असू शकत नाही. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ब्राउझ करा BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ब्राउझ करा BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,सुरक्षित कर्ज DocType: Purchase Invoice,Edit Posting Date and Time,पोस्टिंग तारीख आणि वेळ संपादित apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},मालमत्ता वर्ग {0} किंवा कंपनी मध्ये घसारा संबंधित खाती सेट करा {1} @@ -2993,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 +278,Select Quantity,प्रमाण निवडा +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,या ईमेल डायजेस्ट पासून सदस्यता रद्द करा @@ -3016,6 +3026,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},{0} पेक्षा जुने स्टॉक व्यवहार अद्ययावत करण्याची परवानगी नाही DocType: Purchase Invoice Item,PR Detail,जनसंपर्क(PR ) तपशील DocType: Sales Order,Fully Billed,पूर्णतः बिल +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार 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 +127,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),संकुल एकूण वजन. सहसा निव्वळ वजन + पॅकेजिंग साहित्य वजन. (मुद्रण) @@ -3054,8 +3065,9 @@ 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} सबमिट केलेली नाही DocType: Customs Tariff Number,Tariff Number,दर क्रमांक +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP वखार येथे उपलब्ध प्रमाण apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,अंदाज -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},सिरियल क्रमांक {0} कोठार {1} शी संबंधित नाही +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},सिरियल क्रमांक {0} कोठार {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,टीप: {0} प्रमाणात किंवा रक्कम 0 आहे म्हणून चेंडू-प्रती आणि-बुकिंग आयटम सिस्टम तपासा नाही DocType: Notification Control,Quotation Message,कोटेशन संदेश DocType: Employee Loan,Employee Loan Application,कर्मचारी कर्ज अर्ज @@ -3074,13 +3086,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,स्थावर खर्च व्हाउचर रक्कम apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,पुरवठादार उपस्थित बिल. DocType: POS Profile,Write Off Account,Write Off खाते -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,टीप रक्कम डेबिट +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,टीप रक्कम डेबिट apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,सवलत रक्कम 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 +207,e.g. VAT,उदा व्हॅट +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,उप-करार @@ -3088,7 +3100,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 +1945,Please select customer,कृपया ग्राहक निवडा +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,कृपया ग्राहक निवडा DocType: C-Form,I,मी DocType: Company,Asset Depreciation Cost Center,मालमत्ता घसारा खर्च केंद्र DocType: Sales Order Item,Sales Order Date,विक्री ऑर्डर तारीख @@ -3117,7 +3129,7 @@ DocType: Lead,Address Desc,Desc पत्ता apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,पक्ष अनिवार्य आहे DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,विषय नाव -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,विक्री किंवा खरेदी कमीत कमी एक निवडणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,विक्री किंवा खरेदी कमीत कमी एक निवडणे आवश्यक आहे apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,आपल्या व्यवसाय स्वरूप निवडा. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},पंक्ती # {0}: डुप्लीकेट संदर्भ नोंद {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,उत्पादन ऑपरेशन कोठे नेले जातात. @@ -3126,7 +3138,7 @@ 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} DocType: Employee,Confirmation Date,पुष्टीकरण तारीख DocType: C-Form,Total Invoiced Amount,एकूण Invoiced रक्कम -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,किमान Qty कमाल Qty पेक्षा जास्त असू शकत नाही +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,किमान Qty कमाल Qty पेक्षा जास्त असू शकत नाही DocType: Account,Accumulated Depreciation,जमा घसारा DocType: Stock Entry,Customer or Supplier Details,ग्राहक किंवा पुरवठादार माहिती DocType: Employee Loan Application,Required by Date,तारीख आवश्यक @@ -3155,10 +3167,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,खरेद apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,कंपनी नाव कंपनी असू शकत नाही apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,प्रिंट टेम्पलेट साठी letter. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,प्रिंट टेम्पलेट साठी शोध शिर्षके फाईल नाव उदा. Proforma चलन +DocType: Program Enrollment,Walking,चालणे DocType: Student Guardian,Student Guardian,विद्यार्थी पालक apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार शुल्क समावेश म्हणून चिन्हांकित करू शकत नाही DocType: POS Profile,Update Stock,अद्यतन शेअर -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,आयटम साठी विविध UOM अयोग्य (एकूण) निव्वळ वजन मूल्य नेईल. प्रत्येक आयटम निव्वळ वजन समान UOM आहे याची खात्री करा. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM दर DocType: Asset,Journal Entry for Scrap,स्क्रॅप साठी जर्नल प्रवेश @@ -3212,7 +3224,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,ब्रेक अप कर शो apps/erpnext/erpnext/accounts/party.py +308,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,नाही विद्यार्थ्यांनी सापडले @@ -3232,14 +3243,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,नाही विद्यार्थी +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 +108,Please enter 'Expected Delivery Date','अपेक्षित डिलिव्हरी तारीख' प्रविष्ट करा apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,अवैध GSTIN किंवा अनोंदणीकृत साठी लागू प्रविष्ट करा +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,अवैध GSTIN किंवा अनोंदणीकृत साठी लागू प्रविष्ट करा DocType: Training Event,Seminar,सेमिनार DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नावनोंदणी फी DocType: Item,Supplier Items,पुरवठादार आयटम @@ -3269,21 +3280,23 @@ DocType: Sales Team,Contribution (%),योगदान (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,टीप: भरणा प्रवेश पासून तयार केले जाणार नाहीत 'रोख किंवा बँक खाते' निर्दिष्ट नाही apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,जबाबदारी DocType: Expense Claim Account,Expense Claim Account,खर्च दावा खाते +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} द्वारे सेटअप> सेिटंगेंेंें> नामांकन मालिका मालिका नामांकन सेट करा 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,वापरकर्ते जोडा 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 पेक्षा जास्त असू शकत नाही. DocType: Stock Reconciliation Item,Before reconciliation,समेट करण्यापूर्वी apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},करण्यासाठी {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),कर आणि शुल्क जोडले (कंपनी चलन) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आयटम कर रो {0} कर किंवा उत्पन्न किंवा खर्चाचे किंवा भार प्रकारचे खाते असणे आवश्यक आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आयटम कर रो {0} कर किंवा उत्पन्न किंवा खर्चाचे किंवा भार प्रकारचे खाते असणे आवश्यक आहे DocType: Sales Order,Partly Billed,अंशतः बिल आकारले apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,आयटम {0} मुदत मालमत्ता आयटम असणे आवश्यक आहे DocType: Item,Default BOM,मुलभूत BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,डेबिट टीप रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,डेबिट टीप रक्कम apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,कंपनीचे नाव पुष्टी करण्यासाठी पुन्हा-टाइप करा -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,एकूण थकबाकी रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,एकूण थकबाकी रक्कम DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्ज DocType: Sales Invoice,Include Payment (POS),भरणा समाविष्ट करा (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},एकूण डेबिट एकूण क्रेडिट समान असणे आवश्यक आहे. फरक {0}आहे @@ -3291,20 +3304,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ऑट DocType: Vehicle,Insurance Company,विमा कंपनी DocType: Asset Category Account,Fixed Asset Account,मुदत मालमत्ता खाते apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,अस्थिर -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,डिलिव्हरी टीप पासून +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,डिलिव्हरी टीप पासून DocType: Student,Student Email Address,विद्यार्थी ई-मेल पत्ता DocType: Timesheet Detail,From Time,वेळ पासून apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,स्टॉक मध्ये: DocType: Notification Control,Custom Message,सानुकूल संदेश apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,गुंतवणूक बँकिंग apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,रोख रक्कम किंवा बँक खाते पैसे नोंदणी करण्यासाठी अनिवार्य आहे -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,सेटअप सेटअप द्वारे उपस्थिती मालिका संख्या करा> क्रमांकन मालिका apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,विद्यार्थी पत्ता apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,विद्यार्थी पत्ता 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 +1517,Address Name,पत्ता नाव +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,पत्ता नाव DocType: Stock Entry,From BOM,BOM पासून DocType: Assessment Code,Assessment Code,मूल्यांकन कोड apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,मूलभूत @@ -3321,7 +3333,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही. +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/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,मासिक परतफेड रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही @@ -3329,7 +3341,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,विद्यार्थी आधीच नोंदणी केली आहे. @@ -3338,7 +3350,7 @@ DocType: Process Payroll,Process Payroll,प्रक्रिया वेत apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,कामाच्या दिवसापेक्षा अधिक सुट्ट्या या महिन्यात आहेत. DocType: Product Bundle Item,Product Bundle Item,उत्पादन बंडल आयटम DocType: Sales Partner,Sales Partner Name,विक्री भागीदार नाव -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,अवतरणे विनंती +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,अवतरणे विनंती DocType: Payment Reconciliation,Maximum Invoice Amount,कमाल चलन रक्कम DocType: Student Language,Student Language,विद्यार्थी भाषा apps/erpnext/erpnext/config/selling.py +23,Customers,ग्राहक @@ -3349,7 +3361,7 @@ DocType: Asset,Partially Depreciated,अंशतः अवमूल्यन DocType: Issue,Opening Time,उघडण्याची वेळ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,पासून आणि पर्यंत तारखा आवश्यक आहेत apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,सिक्युरिटीज अँड कमोडिटी -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"'{0}' प्रकार करीता माप मुलभूत युनिट साचा म्हणून समान असणे आवश्यक आहे, '{1}'" +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 +847,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम @@ -3368,7 +3380,7 @@ 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 +266,Raw Material,कच्चा माल +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,सवलत रक्कम नंतर कर रक्कम @@ -3380,7 +3392,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,तारीख उघडण्याच्या तारीख बंद करण्यापूर्वी असावे -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} द्वारे सेटअप> सेिटंगेंेंें> नामांकन मालिका मालिका नामांकन सेट करा 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.,दिवस जे सुट्ट्या या विभागात अवरोधित केलेली आहेत. @@ -3393,8 +3404,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',गटात मूल्यांकन 'किंवा' मूल्यांकन आणि एकूण 'आहे तेव्हा वजा करू शकत नाही -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},सिरीयलाइज आयटम {0}साठी सिरियल क्रमांक आवश्यक +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/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,बँक प्रवेश DocType: Authorization Rule,Applicable To (Designation),लागू करण्यासाठी (पद) @@ -3411,7 +3422,7 @@ 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 +270,Hour,तास +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,आपल्याला ब्लॉक तारखेवर पाने मंजूर करण्यासाठी अधिकृत नाही @@ -3421,7 +3432,7 @@ 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 +645,Point of Sale,विक्री पॉइंट +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,विक्री पॉइंट DocType: Payment Entry,Received Amount,प्राप्त केलेली रक्कम DocType: GST Settings,GSTIN Email Sent On,GSTIN ईमेल पाठविले DocType: Program Enrollment,Pick/Drop by Guardian,/ पालक ड्रॉप निवडा @@ -3438,8 +3449,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 +270,Gram,ग्राम -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे. +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/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 प्राप्त करण्याची अनुमती आहे." @@ -3465,14 +3476,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 +465,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून चलन {0} काढून टाका +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,7 +3515,7 @@ 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 +436,Warehouse required for stock Item {0},स्टॉक आयटम {0} साठी आवश्यक कोठार +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},स्टॉक आयटम {0} साठी आवश्यक कोठार DocType: Leave Allocation,Unused leaves,न वापरलेल्या रजा apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,कोटी DocType: Tax Rule,Billing State,बिलिंग राज्य @@ -3552,7 +3563,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},अवैध विशेषता {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',कृपया 'सर्व मूल्यांकन गट' ऐवजी मूल्यांकन गट निवडा @@ -3654,16 +3665,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,पगार घटक DocType: Program Enrollment Tool,New Academic Year,नवीन शैक्षणिक वर्ष apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,परत / क्रेडिट टीप DocType: Stock Settings,Auto insert Price List rate if missing,दर सूची दर गहाळ असेल तर आपोआप घाला -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,एकूण देय रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,एकूण देय रक्कम DocType: Production Order Item,Transferred Qty,हस्तांतरित Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,नॅव्हिगेट 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 +272,We sell this Item,आम्ही ही आयटम विक्री +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,नमुना डेटा 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,अर्धा दिवस तारीख @@ -3711,7 +3724,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 +1186,Please set Company,कंपनी सेट करा +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,कंपनी सेट करा DocType: Pricing Rule,Buying,खरेदी DocType: HR Settings,Employee Records to be created by,कर्मचारी रेकॉर्ड करून तयार करणे DocType: POS Profile,Apply Discount On,सवलत लागू @@ -3728,13 +3741,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,शुल्क गोळा DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},बारकोड {0} आधीच आयटम वापरले {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},बारकोड {0} आधीच आयटम वापरले {1} DocType: Lead,Add to calendar on this date,या तारखेला कॅलेंडरमध्ये समाविष्ट करा apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,शिपिंग खर्च जोडून नियम. DocType: Item,Opening Stock,शेअर उघडत apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ग्राहक आवश्यक आहे apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} परत देण्यासाठी अनिवार्य आहे DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,वैयक्तिक ईमेल apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,एकूण फरक DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","सक्षम असल्यास, प्रणाली आपोआप यादी एकट्या नोंदी पोस्ट होईल." @@ -3745,7 +3759,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 +541,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी आवश्यक +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,मानक विक्री @@ -3753,7 +3767,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,हमी पैकी DocType: BOM Replace Tool,Replace,बदला apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,कोणतीही उत्पादने आढळले. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} विक्री चलन विरुद्ध {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,प्रकल्प नाव @@ -3764,6 +3777,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} 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} किंवा आधीच जुळणारे खाते नाही @@ -3801,9 +3815,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,आयटम {0} एक स्टॉक आयटम नसल्यामुळे दुर्लक्षित केला आहे +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 +40,Submit this Production Order for further processing.,पुढील प्रक्रियेसाठी ही उत्पादन मागणी सबमिट करा. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,नोकरी @@ -3811,12 +3825,14 @@ 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 +209,Rate (%),दर (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","स्वत: पेक्षा इतर, आपल्या संस्थेसाठी वापरकर्ते जोडा" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',गट करून 'कंपनी' आहे तर कंपनी रिक्त फिल्टर सेट करा apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,पोस्टिंग तारीख भविष्यातील तारीख असू शकत नाही apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},रो # {0}: सिरियल क्रमांक {1} हा {2} {3}सोबत जुळत नाही apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,प्रासंगिक रजा @@ -3845,7 +3861,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,शेअर खतावणी apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} आयटम सिरियल क्रमांकासाठी सेटअप केलेला नाही. स्तंभ रिक्त असणे आवश्यक आहे +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} आयटम सिरियल क्रमांकासाठी सेटअप केलेला नाही. स्तंभ रिक्त असणे आवश्यक आहे DocType: Accounts Settings,Accounts Settings,खाती सेटिंग्ज apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,मंजूर DocType: Customer,Sales Partner and Commission,विक्री भागीदार व आयोगाच्या @@ -3860,7 +3876,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 +62,{0} items produced,{0} आयटम उत्पादन +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,परत @@ -3874,7 +3890,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,विनिमय दर -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही," +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,वेगवान व्यवस्थापन @@ -3899,18 +3915,18 @@ 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 +705,Online,ऑनलाइन +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} आयटम अक्षम केले गेले आहे DocType: Employee Loan,Repay Fixed Amount per Period,प्रति कालावधी मुदत रक्कम परतफेड apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},आयटम {0} साठी संख्या प्रविष्ट करा -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,क्रेडिट टीप रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,क्रेडिट टीप रक्कम DocType: Employee External Work History,Employee External Work History,कर्मचारी बाह्य कार्य इतिहास DocType: Tax Rule,Purchase,खरेदी apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,शिल्लक Qty @@ -3936,7 +3952,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 +2383,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा DocType: Employee,Encashment Date,एनकॅशमेंट तारीख DocType: Training Event,Internet,इंटरनेट DocType: Account,Stock Adjustment,शेअर समायोजन @@ -3966,6 +3982,7 @@ DocType: Guardian,Guardian Of ,पालकमंत्री DocType: Grading Scale Interval,Threshold,उंबरठा DocType: BOM Replace Tool,Current BOM,वर्तमान BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,सिरियल नाही जोडा +DocType: Production Order Item,Available Qty at Source Warehouse,स्रोत वखार येथे उपलब्ध प्रमाण apps/erpnext/erpnext/config/support.py +22,Warranty,हमी DocType: Purchase Invoice,Debit Note Issued,डेबिट टीप जारी DocType: Production Order,Warehouses,गोदामे @@ -3981,13 +3998,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,अदा क apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,प्रकल्प व्यवस्थापक ,Quoted Item Comparison,उद्धृत बाबींचा तुलना apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,पाठवणे -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,आयटम: {0} साठी कमाल {1} % सवलतिची परवानगी आहे +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 +279,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 +879,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो" DocType: Item,Material Issue,साहित्य अंक DocType: Hub Settings,Seller Description,विक्रेता वर्णन DocType: Employee Education,Qualification,पात्रता @@ -4011,7 +4028,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 +200,Cannot cancel because submitted Stock Entry {0} exists,सादर शेअर प्रवेश {0} अस्तित्वात असल्याने रद्द करू शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,सादर शेअर प्रवेश {0} अस्तित्वात असल्याने रद्द करू शकत नाही DocType: Employee Loan,Disbursement Date,खर्च तारीख DocType: Vehicle,Vehicle,वाहन DocType: Purchase Invoice,In Words,शब्द मध्ये @@ -4032,7 +4049,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","डीफॉल्ट म्हणून या आर्थिक वर्षात सेट करण्यासाठी, 'डीफॉल्ट म्हणून सेट करा' वर क्लिक करा" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,सामील व्हा apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,कमतरता Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,आयटम variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,आयटम variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत DocType: Employee Loan,Repay from Salary,पगार पासून परत फेड करा DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},विरुद्ध पैसे विनंती {0} {1} रक्कम {2} @@ -4050,18 +4067,18 @@ 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 +1011,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी आवश्यक आहे. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,सिरियल क्रमांक {0} आधीच प्राप्त झाला आहे +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: Expense Claim,Vehicle Log,वाहन लॉग DocType: Purchase Invoice,Recurring Id,आवर्ती आयडी DocType: Customer,Sales Team Details,विक्री कार्यसंघ तपशील -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,कायमचे हटवा? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},अवैध {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},अवैध {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,आजारी रजा DocType: Email Digest,Email Digest,ईमेल डायजेस्ट DocType: Delivery Note,Billing Address Name,बिलिंग पत्ता नाव @@ -4074,6 +4091,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,आकारण्यास DocType: Company,Change Abbreviation,बदला Abbreviation DocType: Expense Claim Detail,Expense Date,खर्च तारीख +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड DocType: Item,Max Discount (%),कमाल सवलत (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,गेल्या ऑर्डर रक्कम DocType: Task,Is Milestone,मैलाचा दगड आहे @@ -4097,8 +4115,8 @@ DocType: Program Enrollment Tool,New Program,नवीन कार्यक् DocType: Item Attribute Value,Attribute Value,मूल्य विशेषता ,Itemwise Recommended Reorder Level,Itemwise पुनर्क्रमित स्तर शिफारस DocType: Salary Detail,Salary Detail,पगार तपशील -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,कृपया प्रथम {0} निवडा -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,आयटम बॅच {0} {1} कालबाह्य झाले आहे. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,कृपया प्रथम {0} निवडा +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,आयटम बॅच {0} {1} कालबाह्य झाले आहे. DocType: Sales Invoice,Commission,आयोग apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,उत्पादन वेळ पत्रक. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,एकूण @@ -4123,12 +4141,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 +399,Operation Time must be greater than 0 for Operation {0},ऑपरेशन वेळ ऑपरेशन {0} साठी 0 पेक्षा जास्त असणे आवश्यक आहे +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/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 +387,Production Order cannot be raised against a Item Template,उत्पादन ऑर्डर एक आयटम साचा निषेध जाऊ शकत नाही +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,7 +4176,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,विल्हेवाट दिनांक DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ई-मेल ते सुट्टी नसेल तर दिले क्षणी कंपनी सर्व सक्रिय कर्मचारी पाठवला जाईल. प्रतिसादांचा सारांश मध्यरात्री पाठवला जाईल. DocType: Employee Leave Approver,Employee Leave Approver,कर्मचारी रजा मंजुरी -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","कोटेशन केले आहे कारण, म्हणून गमवलेले जाहीर करू शकत नाही." 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} सादर करणे आवश्यक आहे @@ -4192,6 +4210,7 @@ DocType: Announcement,Student,विद्यार्थी apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,संस्था युनिट (विभाग) मास्टर. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,वैध मोबाईल क्र प्रविष्ट करा apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,पाठविण्यापूर्वी कृपया संदेश प्रविष्ट करा +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,पुरवठादार डुप्लिकेट DocType: Email Digest,Pending Quotations,प्रलंबित अवतरणे apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,पॉइंट-ऑफ-सेल प्रोफाइल apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS सेटिंग्ज अद्यतनित करा @@ -4200,7 +4219,7 @@ DocType: Cost Center,Cost Center Name,खर्च केंद्र नाव DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,कमाल Timesheet विरुद्ध तास काम DocType: Maintenance Schedule Detail,Scheduled Date,अनुसूचित तारीख -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,एकूण सशुल्क रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,एकूण सशुल्क रक्कम DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 वर्ण या पेक्षा मोठे संदेश एकाधिक संदेशा मधे विभागले जातील DocType: Purchase Receipt Item,Received and Accepted,प्राप्त झालेले आहे आणि स्वीकारले आहे ,GST Itemised Sales Register,'जीएसटी' क्रमवारी मांडणे विक्री नोंदणी @@ -4210,7 +4229,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 +237,Your Suppliers,आपले पुरवठादार +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',गटात मूल्यांकन 'किंवा' Vaulation आणि एकूण 'करिता वजा करू शकत नाही @@ -4222,7 +4241,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","प्रति खरेदी सेटिंग्ज Reciept खरेदी आवश्यक == 'होय', नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम खरेदी पावती तयार करण्याची आवश्यकता असल्यास {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,आयटम {1} ला संलग्न वेबसाइट प्रतिमा {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.,वेबसाइट वर अनेक गट मधे हे आयटम सूचीबद्ध . @@ -4237,7 +4256,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ती क apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,गुदाम apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,सर्व विद्यार्थी प्रवेश ,Average Commission Rate,सरासरी आयोग दर -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'नॉन-स्टॉक आयटम 'साठी अनुक्रमांक 'होय' असू शकत नाही. +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'नॉन-स्टॉक आयटम 'साठी अनुक्रमांक 'होय' असू शकत नाही. apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,उपस्थिती भविष्यात तारखा चिन्हांकित केला जाऊ शकत नाही DocType: Pricing Rule,Pricing Rule Help,किंमत नियम मदत DocType: School House,House Name,घर नाव @@ -4253,7 +4272,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 +339,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,20 +4287,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},{0} वेळ पत्रक आधीपासूनच तयार कर्मचा पगाराच्या स्लिप्स {1} DocType: Vehicle Log,Odometer,ओडोमीटर DocType: Sales Order Item,Ordered Qty,आदेश दिलेली Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,आयटम {0} अक्षम आहे +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 +874,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 तपशील apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,पगार Slips तयार करा -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","पाञ म्हणून निवडले आहे, तर खरेदी, चेक करणे आवश्यक आहे {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","पाञ म्हणून निवडले आहे, तर खरेदी, चेक करणे आवश्यक आहे {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,सवलत 100 पेक्षा कमी असणे आवश्यक आहे 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 +500,Default BOM for {0} not found,साठी {0} आढळले नाही मुलभूत BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,रो # {0}: पुनर्क्रमित प्रमाणात सेट करा +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,कार्यक्रम नावनोंदणी DocType: Landed Cost Voucher,Landed Cost Voucher,स्थावर खर्च व्हाउचर @@ -4344,7 +4363,6 @@ DocType: Maintenance Visit,MV,मार्क apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,अपेक्षित तारीख साहित्य विनंती तारखेच्या आधी असू शकत नाही DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण -DocType: Production Order,Source Warehouse (for reserving Items),स्रोत वखार (आयटम reserving साठी) DocType: Employee Loan,Repayment Period in Months,महिने कर्जफेड कालावधी apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,त्रुटी: एक वैध आयडी नाही ? DocType: Naming Series,Update Series Number,अद्यतन मालिका क्रमांक @@ -4393,7 +4411,7 @@ DocType: Production Order,Planned End Date,नियोजनबद्ध अं apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,आयटम कोठे साठवले जातात. DocType: Request for Quotation,Supplier Detail,पुरवठादार तपशील apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},सूत्र किंवा अट त्रुटी: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Invoiced रक्कम +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Invoiced रक्कम DocType: Attendance,Attendance,विधान परिषदेच्या apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,शेअर आयटम DocType: BOM,Materials,साहित्य @@ -4434,10 +4452,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,सेटअप माझ्या संस्थेसाठी एक साधी वेबसाइट +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी विशेषतेसाठी मूल्य निर्दिष्ट करा +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी विशेषतेसाठी मूल्य निर्दिष्ट करा DocType: Item,Default Warehouse,मुलभूत कोठार apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},अर्थसंकल्प गट खाते विरुद्ध नियुक्त केला जाऊ शकत नाही {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,पालक खर्च केंद्र प्रविष्ट करा @@ -4499,7 +4517,7 @@ 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 +1344,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे +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/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,हे या कर्मचा उपस्थिती आधारित आहे @@ -4507,6 +4525,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,वर्ष प्रारंभ तारीख DocType: Attendance,Employee Name,कर्मचारी नाव DocType: Sales Invoice,Rounded Total (Company Currency),गोळाबेरीज एकूण (कंपनी चलन) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया सेटअप कर्मचारी मानव संसाधन मध्ये प्रणाली नामांकन> एचआर सेटिंग्ज 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} सुधारणा करण्यात आली आहे. रिफ्रेश करा. DocType: Leave Block List,Stop users from making Leave Applications on following days.,खालील दिवस रजा अनुप्रयोग बनवण्यासाठी वापरकर्त्यांना थांबवा. @@ -4529,7 +4548,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 वाचन ,Hub,हब DocType: GL Entry,Voucher Type,प्रमाणक प्रकार -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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 करणे आवश्यक आहे @@ -4549,7 +4568,7 @@ DocType: POS Profile,Account for Change Amount,खाते रक्कम ब apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},रो {0}: {3} {4} मधील {1} / {2} पक्ष / खात्याशी जुळत नाही apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,खर्चाचे खाते प्रविष्ट करा DocType: Account,Stock,शेअर -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे DocType: Employee,Current Address,सध्याचा पत्ता DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","आयटम आणखी एक नग प्रकार असेल तर वर्णन , प्रतिमा, किंमत, कर आदी टेम्पलेट निश्चित केली जाईल" DocType: Serial No,Purchase / Manufacture Details,खरेदी / उत्पादन तपशील @@ -4588,11 +4607,12 @@ DocType: Student,Home Address,घरचा पत्ता apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,हस्तांतरण मालमत्ता DocType: POS Profile,POS Profile,पीओएस प्रोफाइल DocType: Training Event,Event Name,कार्यक्रम नाव -apps/erpnext/erpnext/config/schools.py +39,Admission,प्रवेश +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,प्रवेश apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},प्रवेश {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","आयटम {0} एक टेम्प्लेट आहे, कृपया त्याची एखादी रूपे निवडा" DocType: Asset,Asset Category,मालमत्ता वर्ग +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ग्राहक apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही DocType: SMS Settings,Static Parameters,स्थिर बाबी DocType: Assessment Plan,Room,खोली @@ -4601,6 +4621,7 @@ DocType: Item,Item Tax,आयटम कर apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,पुरवठादार साहित्य apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,उत्पादन शुल्क चलन apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,थ्रेशोल्ड {0}% एकदा एकापेक्षा जास्त वेळा दिसून +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश 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,वर्तमान दायित्व @@ -4672,6 +4693,7 @@ DocType: Leave Type,Is Carry Forward,कॅरी फॉरवर्ड आह apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,सबमिट नाही पगार स्लिप ,Stock Summary,शेअर सारांश diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv index bb21643413..474a13914d 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Senarai Holiday -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Akauntan +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Akauntan DocType: Cost Center,Stock User,Saham pengguna DocType: Company,Phone No,Telefon No apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Jadual Kursus dicipta: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Tidak dibenarkan untuk {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Mendapatkan barangan dari -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Bukan perkakas yang terdapat +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Laporan saham DocType: Warehouse,Warehouse Detail,Detail Gudang apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Had kredit telah menyeberang untuk pelanggan {0} {1} / {2} 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.,Tarikh Akhir Term tidak boleh lewat daripada Tarikh Akhir Tahun Akademik Tahun yang istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Dari {0} kepada {1} DocType: Item,Copy From Item Group,Salinan Dari Perkara Kumpulan DocType: Journal Entry,Opening Entry,Entry pembukaan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Akaun Pay Hanya DocType: Employee Loan,Repay Over Number of Periods,Membayar balik Over Bilangan Tempoh DocType: Stock Entry,Additional Costs,Kos Tambahan @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Harta Tanah -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Penyata Akaun +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 DocType: Purchase Invoice Item,Is Fixed Asset,Adakah Aset Tetap apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","qty yang tersedia {0}, anda perlu {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Guna habis +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Contoh: Matematik Asas +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/config/hr.py +214,Settings for HR Module,Tetapan untuk HR Modul DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Item dan Harga apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Jumlah jam: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Dari Tarikh harus berada dalam Tahun Fiskal. Dengan mengandaikan Dari Tarikh = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,sebut harga DocType: Customer,Individual,Individu DocType: Interest,Academics User,akademik Pengguna DocType: Cheque Print Template,Amount In Figure,Jumlah Dalam Rajah @@ -265,7 +266,7 @@ DocType: Employee,Create User,Buat Pengguna DocType: Selling Settings,Default Territory,Wilayah Default apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televisyen DocType: Production Order Operation,Updated via 'Time Log',Dikemaskini melalui 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},jumlah pendahuluan tidak boleh lebih besar daripada {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},jumlah pendahuluan tidak boleh lebih besar daripada {0} {1} DocType: Naming Series,Series List for this Transaction,Senarai Siri bagi Urusniaga ini DocType: Company,Enable Perpetual Inventory,Membolehkan Inventori kekal DocType: Company,Default Payroll Payable Account,Lalai Payroll Akaun Kena Bayar @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Untuk Gudang diperlukan sebelum Hantar +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nama Kenalan +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Tarikh melegakan mesti lebih besar daripada Tarikh Menyertai apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Meninggalkan setiap Tahun 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 +189,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik syarikat {1} +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Penyertaan apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Tahunan DocType: Stock Reconciliation Item,Stock Reconciliation Item,Saham Penyesuaian Perkara @@ -315,7 +316,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 +316,People who teach at your organisation,Orang yang mengajar di organisasi anda +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Membolehkan pengguna untuk mengedit 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 +699,Item {0} is cancelled,Perkara {0} dibatalkan +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 +882,Material Request,Permintaan bahan DocType: Bank Reconciliation,Update Clearance Date,Update Clearance Tarikh DocType: Item,Purchase Details,Butiran Pembelian @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Pengurus Fleet apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Perkara +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Perkara apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Ringkasan untuk minggu ini dan aktiviti-aktiviti yang belum selesai DocType: Student Applicant,Admitted,diterima Masuk DocType: Workstation,Rent Cost,Kos sewa @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Diterima apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Cipta Kumpulan Pelajar apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Persediaan Sudah Lengkap !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Jumlah kredit Nota +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Jumlah kredit Nota ,Finished Goods,Barangan selesai DocType: Delivery Note,Instructions,Arahan DocType: Quality Inspection,Inspected By,Diperiksa oleh @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Buat Pelanggan baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Sila setup penomboran siri untuk Kehadiran melalui Persediaan> Penomboran Siri apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Buat Pesanan Pembelian ,Purchase Register,Pembelian Daftar DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Sifat {0} dipilih beberapa kali dalam Atribut Jadual +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Sifat {0} dipilih beberapa kali dalam Atribut Jadual DocType: HR Settings,Employee record is created using selected field. ,Rekod pekerja dicipta menggunakan bidang dipilih. DocType: Sales Order,Not Applicable,Tidak Berkenaan apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Master bercuti. @@ -529,7 +531,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 +219,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 +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/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" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Sila masukkan Gudang yang mana Bahan Permintaan akan dibangkitkan DocType: Production Order,Additional Operating Cost,Tambahan Kos Operasi apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetik -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut mestilah sama bagi kedua-dua perkara" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut mestilah sama bagi kedua-dua perkara" DocType: Shipping Rule,Net Weight,Berat Bersih DocType: Employee,Emergency Phone,Telefon Kecemasan apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Beli @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Cukai dan Caj DocType: Purchase Invoice,Supplier Invoice No,Pembekal Invois No DocType: Territory,For reference,Untuk rujukan -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Tidak dapat memadam No Serial {0}, kerana ia digunakan dalam urus niaga saham" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Tidak dapat memadam No Serial {0}, kerana ia digunakan dalam urus niaga saham" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Penutup (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Move Perkara DocType: Serial No,Warranty Period (Days),Tempoh Waranti (Hari) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Sila pilih Syarikat dan Parti Jenis pertama apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Tahun kewangan / perakaunan. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nilai terkumpul -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Maaf, Serial No tidak boleh digabungkan" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Maaf, Serial No tidak boleh digabungkan" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Buat Jualan Pesanan DocType: Project Task,Project Task,Projek Petugas ,Lead Id,Lead Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Memperuntukkan apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Jualan Pulangan 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,Nota: Jumlah daun diperuntukkan {0} hendaklah tidak kurang daripada daun yang telah pun diluluskan {1} untuk tempoh yang +,Total Stock Summary,Ringkasan Jumlah Saham DocType: Announcement,Posted By,Posted By DocType: Item,Delivered by Supplier (Drop Ship),Dihantar oleh Pembekal (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Pangkalan data pelanggan yang berpotensi. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Pangkalan data pel DocType: Quotation,Quotation To,Sebutharga Untuk DocType: Lead,Middle Income,Pendapatan Tengah apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Pembukaan (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unit keingkaran Langkah untuk Perkara {0} tidak boleh diubah langsung kerana anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru untuk menggunakan UOM Lalai yang berbeza. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unit keingkaran Langkah untuk Perkara {0} tidak boleh diubah langsung kerana anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru untuk menggunakan UOM Lalai yang berbeza. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Jumlah yang diperuntukkan tidak boleh negatif apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Sila tetapkan Syarikat apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Sila tetapkan Syarikat @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Sarjana DocType: Assessment Plan,Maximum Assessment Score,Maksimum Skor Penilaian apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update Bank Tarikh Transaksi apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Tracking masa +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,PENDUA UNTUK TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Tahun Anggaran Syarikat DocType: Packing Slip Item,DN Detail,Detail DN DocType: Training Event,Conference,persidangan @@ -684,8 +688,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 +320,Timesheet created:,Timesheet dicipta: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -714,7 +718,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 +139,Finish,Selesai +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Selesai apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,base DocType: Timesheet,Total Billed Hours,Jumlah Jam Diiktiraf DocType: Journal Entry,Write Off Amount,Tulis Off Jumlah @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,Penjual City ,Absent Student Report,Tidak hadir Laporan Pelajar DocType: Email Digest,Next email will be sent on:,E-mel seterusnya akan dihantar pada: DocType: Offer Letter Term,Offer Letter Term,Menawarkan Surat Jangka -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Perkara mempunyai varian. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Perkara mempunyai varian. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Perkara {0} tidak dijumpai DocType: Bin,Stock Value,Nilai saham apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Syarikat {0} tidak wujud @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,membuat Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ DocType: Company,Default Cost of Goods Sold Account,Kos Default Akaun Barangan D apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Senarai Harga tidak dipilih DocType: Employee,Family Background,Latar Belakang Keluarga DocType: Request for Quotation Supplier,Send Email,Hantar E-mel -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Amaran: Lampiran sah {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Tiada Kebenaran +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Amaran: Lampiran sah {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Tiada Kebenaran 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -866,7 +870,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan +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/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 @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} mesti aktif +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},No siri {0} bukan milik Perkara {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},No siri {0} bukan milik Perkara {1} DocType: Purchase Receipt Item Supplied,Required Qty,Diperlukan Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar. DocType: Bank Reconciliation,Total Amount,Jumlah @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponen apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Sila masukkan Kategori Asset dalam Perkara {0} DocType: Quality Inspection Reading,Reading 6,Membaca 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak boleh {0} {1} {2} tanpa sebarang invois tertunggak negatif +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak boleh {0} {1} {2} tanpa sebarang invois tertunggak negatif DocType: Purchase Invoice Advance,Purchase Invoice Advance,Membeli Advance Invois DocType: Hub Settings,Sync Now,Sync Sekarang apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: kemasukan Kredit tidak boleh dikaitkan dengan {1} @@ -992,12 +996,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 +731,New Sales Invoice,New Invois Jualan +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Invois +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimia DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Lalai akaun Bank / Tunai akan secara automatik dikemaskini dalam Gaji Journal Kemasukan apabila mod ini dipilih. DocType: BOM,Raw Material Cost(Company Currency),Bahan mentah Kos (Syarikat Mata Wang) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Semua barang-barang telah dipindahkan bagi Perintah Pengeluaran ini. +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 +270,Meter,meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1064,7 +1068,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 +259,Qty for {0},Qty untuk {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Akaun Tunai / Bank apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Sila nyatakan {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Barangan dikeluarkan dengan tiada perubahan dalam kuantiti atau nilai. DocType: Delivery Note,Delivery To,Penghantaran Untuk -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Jadual atribut adalah wajib +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Jadual atribut adalah wajib DocType: Production Planning Tool,Get Sales Orders,Dapatkan Perintah Jualan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} tidak boleh negatif +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} tidak boleh negatif apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Diskaun DocType: Asset,Total Number of Depreciations,Jumlah penurunan nilai DocType: Sales Invoice Item,Rate With Margin,Kadar Dengan Margin @@ -1115,7 +1119,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 +1546,ZIP Code,Poskod +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1134,7 +1138,7 @@ 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 +238,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 +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/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) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Sila menetapkan 'Guna Diskaun tambahan On' +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 DocType: Global Defaults,Global Defaults,Lalai Global @@ -1167,10 +1171,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 +22,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 +23,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 +347,Capacity Planning Error,Kapasiti Ralat Perancangan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapasiti Ralat Perancangan ,Trial Balance for Party,Baki percubaan untuk Parti DocType: Lead,Consultant,Perunding DocType: Salary Slip,Earnings,Pendapatan @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,Tempat kembalinya apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} nombor siri sah untuk Perkara {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nombor siri sah untuk Perkara {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kod Item tidak boleh ditukar untuk No. Siri 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} telah dicipta untuk pengguna: {1} dan syarikat {2} DocType: Sales Invoice Item,UOM Conversion Factor,Faktor Penukaran UOM @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Pusat Kos Bagi Item Kod Item ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1242,7 +1246,7 @@ 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,Lihat Lejar 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Perkara {0} tidak boleh mempunyai Batch @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Pesanan Jualan {0} tidak sah +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/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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Tempat Dikeluarkan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrak DocType: Email Digest,Add Quote,Tambah Quote -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} dalam Perkara: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} dalam Perkara: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produk atau Perkhidmatan anda +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 DocType: Mode of Payment,Mode of Payment,Cara Pembayaran -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ini adalah kumpulan item akar dan tidak boleh diedit. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status Perintah Pengeluaran adalah {0} DocType: Appraisal Goal,Goal,Matlamat DocType: Sales Invoice Item,Edit Description,Edit Penerangan ,Team Updates,Pasukan Terbaru @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child gudang wujud untuk gudang ini. Anda tidak boleh memadam gudang ini. DocType: Item,Website Item Groups,Kumpulan Website Perkara DocType: Purchase Invoice,Total (Company Currency),Jumlah (Syarikat mata wang) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Nombor siri {0} memasuki lebih daripada sekali +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 +78,{0} items in progress,{0} item dalam kemajuan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1429,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,Alamat Penghantaran Nama apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Carta Akaun DocType: Material Request,Terms and Conditions Content,Terma dan Syarat Kandungan apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,tidak boleh lebih besar daripada 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Perkara {0} bukan Item saham +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Perkara {0} bukan Item saham DocType: Maintenance Visit,Unscheduled,Tidak Berjadual DocType: Employee,Owned,Milik DocType: Salary Detail,Depends on Leave Without Pay,Bergantung kepada Cuti Tanpa Gaji @@ -1468,7 +1470,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 +273,We buy this Item,Kami membeli Perkara ini +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1479,7 +1481,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 +266,Sub Assemblies,Dewan Sub +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Dewan Sub DocType: Asset,Asset Name,Nama aset DocType: Project,Task Weight,tugas Berat DocType: Shipping Rule Condition,To Value,Untuk Nilai @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Tiada rekod yang terdapat dalam jadual Pembayaran apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ini {0} konflik dengan {1} untuk {2} {3} DocType: Student Attendance Tool,Students HTML,pelajar HTML DocType: POS Profile,Apply Discount,Gunakan Diskaun -DocType: Purchase Invoice Item,GST HSN Code,GST Kod HSN +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 +283,Packing Slip(s) cancelled,Slip pembungkusan (s) dibatalkan @@ -1560,8 +1562,8 @@ 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 +2573,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box +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 +873,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 @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Kaedah Bayaran Balik DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika disemak, page Utama akan menjadi lalai Item Kumpulan untuk laman web" DocType: Quality Inspection Reading,Reading 4,Membaca 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM lalai untuk {0} tidak dijumpai untuk Projek {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Tuntutan perbelanjaan syarikat. 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} @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Tugasan baru apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Membuat Sebut Harga apps/erpnext/erpnext/config/selling.py +216,Other Reports,Laporan lain DocType: Dependent Task,Dependent Task,Petugas bergantung -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor penukaran Unit keingkaran Langkah mesti 1 berturut-turut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor penukaran Unit keingkaran Langkah mesti 1 berturut-turut {0} 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} DocType: SMS Center,Receiver List,Penerima Senarai -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Cari Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,sudah selesai +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/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 +263,Quantity must not be more than {0},Kuantiti mestilah tidak lebih daripada {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Id POS pelanggan DocType: Account,Account Name,Nama Akaun apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dari Tarikh tidak boleh lebih besar daripada Dating -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} kuantiti {1} tidak boleh menjadi sebahagian kecil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} kuantiti {1} tidak boleh menjadi sebahagian kecil apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Jenis pembekal induk. DocType: Purchase Order Item,Supplier Part Number,Pembekal Bahagian Nombor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Kadar Penukaran tidak boleh menjadi 0 atau 1 @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Kenderaan Dispatch Tarikh +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Default Akaun Belum Bayar apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Tetapan untuk troli membeli-belah dalam talian seperti peraturan perkapalan, senarai harga dan lain-lain" @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Termasuk cuti dalam DocType: Sales Invoice,Packed Items,Makan Item apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Jaminan Tuntutan terhadap No. Siri DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Gantikan BOM tertentu dalam semua BOMs lain di mana ia digunakan. Ia akan menggantikan BOM pautan lama, mengemas kini kos dan menjana semula "BOM Letupan Perkara" jadual seperti BOM baru" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Jumlah' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Jumlah' DocType: Shopping Cart Settings,Enable Shopping Cart,Membolehkan Troli DocType: Employee,Permanent Address,Alamat Tetap apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Wajaran +DocType: Sales 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" @@ -1749,7 +1752,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Utama apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varian DocType: Naming Series,Set prefix for numbering series on your transactions,Terletak awalan untuk penomboran siri transaksi anda DocType: Employee Attendance Tool,Employees HTML,pekerja HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang 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 @@ -1779,7 +1782,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 +175,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 +173,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 @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Kekuatan Kumpulan Pelajar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Journal Entry {0} tidak mempunyai apa-apa yang tidak dapat ditandingi {1} masuk apps/erpnext/erpnext/config/hr.py +137,Appraisals,penilaian -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Salinan No Serial masuk untuk Perkara {0} +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" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Pembayaran @@ -1817,12 +1820,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Pergerakan aset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Troli baru +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Item Dari Pembelian Terimaan DocType: Serial No,Creation Date,Tarikh penciptaan apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Perkara {0} muncul beberapa kali dalam Senarai Harga {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Jualan hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Jualan hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}" DocType: Production Plan Material Request,Material Request Date,Bahan Permintaan Tarikh DocType: Purchase Order Item,Supplier Quotation Item,Pembekal Sebutharga Item DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Melumpuhkan penciptaan balak masa terhadap Pesanan Pengeluaran. Operasi tidak boleh dikesan terhadap Perintah Pengeluaran @@ -1865,12 +1868,12 @@ DocType: Supplier,Supplier of Goods or Services.,Pembekal Barangan atau Perkhidm DocType: Budget,Fiscal Year,Tahun Anggaran DocType: Vehicle Log,Fuel Price,Harga bahan api DocType: Budget,Budget,Bajet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Asset Item tetap perlu menjadi item tanpa saham. +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 +209,e.g. 5,contohnya 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1879,7 +1882,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,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 +263,A Product or Service,Satu Produk atau Perkhidmatan +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pasangan +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pasangan apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Sebenar Tarikh Akhir (melalui Lembaran Time) 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 +160,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 +342,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima +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 DocType: Shipping Rule Condition,Shipping Amount,Penghantaran Jumlah -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,menambah Pelanggan +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima ,Supplier-Wise Sales Analytics,Pembekal Bijaksana Jualan Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Masukkan Jumlah Dibayar DocType: Salary Structure,Select employees for current Salary Structure,Pilih pekerja bagi Struktur Gaji semasa +DocType: Sales Invoice,Company Address Name,Alamat Syarikat Nama DocType: Production Order,Use Multi-Level BOM,Gunakan Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Termasuk Penyertaan berdamai 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)" @@ -2013,7 +2017,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 +269,Unit,Unit +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2035,7 +2039,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbezaan @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Pengelasan Pelanggan mengikut wilayah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Perbezaan Jumlah mestilah sifar DocType: Project,Gross Margin,Margin kasar -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Sila masukkan Pengeluaran Perkara pertama +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 +748,Quotation,Sebut Harga @@ -2056,7 +2060,7 @@ 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 ** **. DocType: Opportunity,Customer / Lead Address,Pelanggan / Lead Alamat -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Amaran: Sijil SSL tidak sah pada lampiran {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Amaran: Sijil SSL tidak sah pada lampiran {0} DocType: Student Admission,Eligibility,kelayakan apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads membantu anda mendapatkan perniagaan, tambah semua kenalan anda dan lebih sebagai petunjuk anda" DocType: Production Order Operation,Actual Operation Time,Masa Sebenar Operasi @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,Kira Jumlah Skor DocType: Request for Quotation,Manufacturing Manager,Pembuatan Pengurus apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},No siri {0} adalah di bawah jaminan hamper {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Penghantaran Split Nota ke dalam pakej. -apps/erpnext/erpnext/hooks.py +87,Shipments,Penghantaran +apps/erpnext/erpnext/hooks.py +94,Shipments,Penghantaran DocType: Payment Entry,Total Allocated Amount (Company Currency),Jumlah Peruntukan (Syarikat Mata Wang) DocType: Purchase Order Item,To be delivered to customer,Yang akan dihantar kepada pelanggan DocType: BOM,Scrap Material Cost,Kos Scrap Material -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,No siri {0} bukan milik mana-mana Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,No siri {0} bukan milik mana-mana Warehouse DocType: Purchase Invoice,In Words (Company Currency),Dalam Perkataan (Syarikat mata wang) DocType: Asset,Supplier,Pembekal DocType: C-Form,Quarter,Suku @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,Jumlah Hari Cuti DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: Email tidak akan dihantar kepada pengguna kurang upaya apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Bilangan Interaksi apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Bilangan Interaksi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod item> Item Group> Jenama 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 +408,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2142,7 +2145,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Perbelanjaan Tuntutan Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Sila pilih akaun yang betul +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Tiga salinan BAGI PEMBEKAL +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Sila pilih akaun yang betul DocType: Item,Weight UOM,Berat UOM DocType: Salary Structure Employee,Salary Structure Employee,Struktur Gaji pekerja DocType: Employee,Blood Group,Kumpulan Darah @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,penjaga 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 +336,Debit To is required,Debit Untuk diperlukan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Jumlah belum dibay DocType: BOM Website Operation,BOM Website Operation,BOM Operasi laman web apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Menawarkan Surat apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Menjana Permintaan Bahan (MRP) dan Perintah Pengeluaran. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Jumlah invois AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Jumlah invois AMT DocType: BOM,Conversion Rate,Kadar penukaran apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cari produk DocType: Timesheet Detail,To Time,Untuk Masa @@ -2192,7 +2196,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Training Event pekerja -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} nombor siri yang diperlukan untuk item {1}. Anda telah menyediakan {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} nombor siri yang diperlukan untuk item {1}. Anda telah menyediakan {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Kadar Penilaian semasa DocType: Item,Customer Item Codes,Kod Item Pelanggan apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Keuntungan / Kerugian @@ -2240,7 +2244,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 +2454,Select Batch No,Pilih Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,Benarkan Pengguna DocType: Purchase Order,Customer Mobile No,Pelanggan Bimbit DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Jejaki Pendapatan berasingan dan Perbelanjaan untuk menegak produk atau bahagian. DocType: Rename Tool,Rename Tool,Nama semula Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update Kos +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 +438,Show Salary Slip,Show Slip Gaji apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Pilih perubahan kira jumlah +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Tambah Cukai +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,Resit Pembelian No apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Wang Earnest DocType: Process Payroll,Create Salary Slip,Membuat Slip Gaji apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,kebolehkesanan +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / Kod SAC 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 @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,Siswazah DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Jadual Penyelenggaraan Terperinci DocType: Quality Inspection Reading,Reading 9,Membaca 9 DocType: Supplier,Is Frozen,Adalah Beku -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,nod Kumpulan gudang tidak dibenarkan untuk memilih untuk transaksi +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,nod Kumpulan gudang tidak dibenarkan untuk memilih untuk transaksi DocType: Buying Settings,Buying Settings,Tetapan Membeli DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. untuk Perkara Baik Selesai DocType: Upload Attendance,Attendance To Date,Kehadiran Untuk Tarikh @@ -2332,13 +2337,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran." +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.js +153,You can not change rate if BOM mentioned agianst any item,Anda tidak boleh mengubah kadar jika BOM disebut agianst sebarang perkara +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Sila masukkan Dirancang Kuantiti untuk Perkara {0} di barisan {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,Nilai yang diberi kuasa DocType: BOM,Show Operations,Show Operasi ,Minutes to First Response for Opportunity,Minit ke Response Pertama bagi Peluang apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Jumlah Tidak hadir -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unit Tindakan DocType: Fiscal Year,Year End Date,Tahun Tarikh Akhir DocType: Task Depends On,Task Depends On,Petugas Bergantung Pada @@ -2432,7 +2437,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 +106,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 +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/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 @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,PTJ apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Baucer # DocType: Notification Control,Purchase Order Message,Membeli Pesanan Mesej @@ -2548,7 +2553,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 +1165,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,Petugas Siap apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Tidak dalam Saham DocType: Appraisal,HR User,HR pengguna DocType: Purchase Invoice,Taxes and Charges Deducted,Cukai dan Caj Dipotong -apps/erpnext/erpnext/hooks.py +116,Issues,Isu-isu +apps/erpnext/erpnext/hooks.py +124,Issues,Isu-isu apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status mestilah salah seorang daripada {0} DocType: Sales Invoice,Debit To,Debit Untuk DocType: Delivery Note,Required only for sample item.,Diperlukan hanya untuk item sampel. @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Wilayah apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Sila menyebut ada lawatan diperlukan DocType: Stock Settings,Default Valuation Method,Kaedah Penilaian Default +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Bayaran DocType: Vehicle Log,Fuel Qty,Fuel Qty DocType: Production Order Operation,Planned Start Time,Dirancang Mula Masa DocType: Course,Assessment,penilaian @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,Sebut Harga {0} dibatalkan -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Jumlah Cemerlang +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Semua Transaksi Jualan boleh tagged terhadap pelbagai ** Jualan Orang ** supaya anda boleh menetapkan dan memantau sasaran. ,S.O. No.,PP No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Sila buat Pelanggan dari Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Sila buat Pelanggan dari Lead {0} DocType: Price List,Applicable for Countries,Digunakan untuk Negara apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Hanya Tinggalkan Permohonan dengan status 'diluluskan' dan 'Telah' boleh dikemukakan apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Pelajar Kumpulan Nama adalah wajib berturut-turut {0} @@ -2648,6 +2654,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/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 @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Pemindahan Bahan untuk Pe 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.,Peratus diskaun boleh digunakan baik dengan menentang Senarai Harga atau untuk semua Senarai Harga. DocType: Purchase Invoice,Half-yearly,Setengah tahun apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Catatan Perakaunan untuk Stok +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Anda telah pun dinilai untuk kriteria penilaian {}. DocType: Vehicle Service,Engine Oil,Minyak enjin -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Sila setup pekerja Penamaan Sistem dalam Sumber Manusia> Tetapan HR DocType: Sales Invoice,Sales Team1,Team1 Jualan apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Perkara {0} tidak wujud DocType: Sales Invoice,Customer Address,Alamat Pelanggan @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Undang-undang Entiti / Anak Syarikat dengan Carta berasingan Akaun milik Pertubuhan. DocType: Payment Request,Mute Email,Senyapkan E-mel apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Makanan, Minuman & Tembakau" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Kadar Suruhanjaya tidak boleh lebih besar daripada 100 DocType: Stock Entry,Subcontract,Subkontrak apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Sila masukkan {0} pertama @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Pelajar Lembaran Kehadiran Bulanan apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Pekerja {0} telah memohon untuk {1} antara {2} dan {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projek Tarikh Mula -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Sehingga +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Sehingga DocType: Rename Tool,Rename Log,Log menamakan semula apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Kumpulan pelajar atau Jadual Kursus adalah wajib apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Kumpulan pelajar atau Jadual Kursus adalah wajib @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,Kembali Kuantiti DocType: Employee,Exit,Keluar apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Jenis akar adalah wajib DocType: BOM,Total Cost(Company Currency),Jumlah Kos (Syarikat Mata Wang) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,No siri {0} dicipta +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,No siri {0} dicipta DocType: Homepage,Company Description for website homepage,Penerangan Syarikat untuk laman web laman utama DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Untuk kemudahan pelanggan, kod-kod ini boleh digunakan dalam format cetak seperti Invois dan Nota Penghantaran" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nama Suplier @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,URL SMS Gateway apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Jadual Kursus dipadam: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Log bagi mengekalkan status penghantaran sms DocType: Accounts Settings,Make Payment via Journal Entry,Buat Pembayaran melalui Journal Kemasukan -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed On +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On DocType: Item,Inspection Required before Delivery,Pemeriksaan yang diperlukan sebelum penghantaran DocType: Item,Inspection Required before Purchase,Pemeriksaan yang diperlukan sebelum Pembelian apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Sementara menunggu Aktiviti @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Pelajar Too apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,had Crossed apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Modal Teroka 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.,Istilah akademik dengan ini 'Academic Year' {0} dan 'Nama Term' {1} telah wujud. Sila ubah suai entri ini dan cuba lagi. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Oleh kerana terdapat urus niaga yang sedia ada terhadap item {0}, anda tidak boleh menukar nilai {1}" +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}","Oleh kerana terdapat urus niaga yang sedia ada terhadap item {0}, anda tidak boleh menukar nilai {1}" DocType: UOM,Must be Whole Number,Mesti Nombor Seluruh DocType: Leave Control Panel,New Leaves Allocated (In Days),Daun baru Diperuntukkan (Dalam Hari) +DocType: Sales Invoice,Invoice Copy,invois Copy apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,No siri {0} tidak wujud DocType: Sales Invoice Item,Customer Warehouse (Optional),Warehouse pelanggan (Pilihan) DocType: Pricing Rule,Discount Percentage,Peratus diskaun @@ -2873,8 +2881,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat selepas 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Saham Penyertaan +DocType: Program Enrollment,Boarding Student,Boarding Pelajar DocType: Asset,Expected Value After Useful Life,Nilai dijangka After Life Berguna DocType: Item,Reorder level based on Warehouse,Tahap pesanan semula berdasarkan Warehouse DocType: Activity Cost,Billing Rate,Kadar bil @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pilih pelajar secara manual untuk Aktiviti berasaskan Kumpulan DocType: Journal Entry,User Remark,Catatan pengguna DocType: Lead,Market Segment,Segmen pasaran -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Jumlah yang dibayar tidak boleh lebih besar daripada jumlah terkumpul negatif {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Jumlah yang dibayar tidak boleh lebih besar daripada jumlah terkumpul negatif {0} DocType: Employee Internal Work History,Employee Internal Work History,Pekerja Dalam Sejarah Kerja apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Penutup (Dr) DocType: Cheque Print Template,Cheque Size,Saiz Cek -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,No siri {0} tidak dalam stok +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,No siri {0} tidak dalam stok apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Template cukai untuk menjual transaksi. DocType: Sales Invoice,Write Off Outstanding Amount,Tulis Off Cemerlang Jumlah apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Akaun {0} tidak sepadan dengan Syarikat {1} @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,Tambah rekod sampel beberapa +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2945,17 +2955,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No dan Batch DocType: Warranty Claim,From Company,Daripada Syarikat -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Markah Kriteria Penilaian perlu {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Markah Kriteria Penilaian perlu {0}. 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 +270,Minute,Saat +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Akaun Overdraf bank apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Membuat Slip Gaji apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Jumlah Diperuntukkan tidak boleh lebih besar daripada jumlah tertunggak. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Browse BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Pinjaman Bercagar DocType: Purchase Invoice,Edit Posting Date and Time,Edit Tarikh Posting dan Masa apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Sila menetapkan Akaun berkaitan Susutnilai dalam Kategori Asset {0} atau Syarikat {1} @@ -2992,7 +3002,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 +278,Select Quantity,Pilih Kuantiti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Tidak dibenarkan untuk mengemaskini transaksi saham lebih tua daripada {0} DocType: Purchase Invoice Item,PR Detail,Detail PR DocType: Sales Order,Fully Billed,Membilkan sepenuhnya +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pembekal> Jenis pembekal 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 +127,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) @@ -3053,8 +3064,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Jumlah Kos (melalui Time L 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 DocType: Customs Tariff Number,Tariff Number,Nombor tarif +DocType: Production Order Item,Available Qty at WIP Warehouse,Ada Qty di WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Unjuran -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},No siri {0} bukan milik Gudang {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},No siri {0} bukan milik Gudang {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,Nota: Sistem tidak akan memeriksa terlebih penghantaran dan lebih-tempahan untuk Perkara {0} sebagai kuantiti atau jumlah adalah 0 DocType: Notification Control,Quotation Message,Sebut Harga Mesej DocType: Employee Loan,Employee Loan Application,Permohonan Pinjaman pekerja @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kos mendarat Baucer Jumlah apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rang Undang-undang yang dibangkitkan oleh Pembekal. DocType: POS Profile,Write Off Account,Tulis Off Akaun -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota Debit AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Nota Debit AMT apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Jumlah diskaun DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Invois Belian 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 +207,e.g. VAT,contohnya VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3087,7 +3099,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 +1945,Please select customer,Sila pilih pelanggan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,Alamat Deskripsi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Parti adalah wajib DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Topic Nama -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast salah satu atau Jualan Membeli mesti dipilih +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast salah satu atau Jualan Membeli mesti dipilih apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Pilih jenis perniagaan anda. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: salinan catatan dalam Rujukan {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Tempat operasi pembuatan dijalankan. @@ -3125,7 +3137,7 @@ 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} DocType: Employee,Confirmation Date,Pengesahan Tarikh DocType: C-Form,Total Invoiced Amount,Jumlah Invois -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty tidak boleh lebih besar daripada Max Qty +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 DocType: Account,Accumulated Depreciation,Susut nilai terkumpul DocType: Stock Entry,Customer or Supplier Details,Pelanggan atau pembekal dan DocType: Employee Loan Application,Required by Date,Diperlukan oleh Tarikh @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Pesanan Pembe apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nama syarikat tidak boleh menjadi syarikat apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Ketua surat untuk template cetak. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tajuk untuk template cetak seperti Proforma Invois. +DocType: Program Enrollment,Walking,berjalan DocType: Student Guardian,Student Guardian,Guardian pelajar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Caj jenis penilaian tidak boleh ditandakan sebagai Inclusive DocType: POS Profile,Update Stock,Update Saham -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pembekal> Jenis pembekal apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeza untuk perkara akan membawa kepada tidak betul (Jumlah) Nilai Berat Bersih. Pastikan Berat bersih setiap item adalah dalam UOM yang sama. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Kadar BOM DocType: Asset,Journal Entry for Scrap,Kemasukan Jurnal untuk Scrap @@ -3211,7 +3223,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Show cukai Perpecahan apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3231,14 +3242,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Akaun Tunai Default apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Syarikat (tidak Pelanggan atau Pembekal) induk. 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 +176,No Students in,No Pelajar dalam +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 +108,Please enter 'Expected Delivery Date',Sila masukkan 'Jangkaan Tarikh Penghantaran' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak sah atau Masukkan NA untuk tidak berdaftar +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3279,23 @@ DocType: Sales Team,Contribution (%),Sumbangan (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota: Entry Bayaran tidak akan diwujudkan sejak 'Tunai atau Akaun Bank tidak dinyatakan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Tanggungjawab DocType: Expense Claim Account,Expense Claim Account,Akaun Perbelanjaan Tuntutan +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila menetapkan Penamaan Siri untuk {0} melalui Persediaan> Tetapan> Menamakan Siri DocType: Sales Person,Sales Person Name,Orang Jualan Nama apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Sila masukkan atleast 1 invois dalam jadual di +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Tambah Pengguna DocType: POS Item Group,Item Group,Perkara Kumpulan DocType: Item,Safety Stock,Saham keselamatan apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Kemajuan% untuk tugas yang tidak boleh lebih daripada 100. DocType: Stock Reconciliation Item,Before reconciliation,Sebelum perdamaian apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Untuk {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Cukai dan Caj Ditambah (Syarikat mata wang) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Perkara Cukai {0} mesti mempunyai akaun Cukai jenis atau Pendapatan atau Perbelanjaan atau bercukai +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Perkara Cukai {0} mesti mempunyai akaun Cukai jenis atau Pendapatan atau Perbelanjaan atau bercukai DocType: Sales Order,Partly Billed,Sebahagiannya Membilkan apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Perkara {0} perlu menjadi Asset Perkara Tetap DocType: Item,Default BOM,BOM Default -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Amaun debit Nota +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Amaun debit Nota apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Sila taip semula nama syarikat untuk mengesahkan -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Jumlah Cemerlang AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Jumlah Cemerlang AMT DocType: Journal Entry,Printing Settings,Tetapan Percetakan DocType: Sales Invoice,Include Payment (POS),Termasuk Bayaran (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Jumlah Debit mesti sama dengan Jumlah Kredit. Perbezaannya ialah {0} @@ -3290,20 +3303,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Syarikat insurans DocType: Asset Category Account,Fixed Asset Account,Akaun Aset Tetap apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,ubah -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Dari Penghantaran Nota +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Dari Penghantaran Nota DocType: Student,Student Email Address,Pelajar Alamat E-mel DocType: Timesheet Detail,From Time,Dari Masa apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Dalam stok: DocType: Notification Control,Custom Message,Custom Mesej apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Perbankan Pelaburan apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Tunai atau Bank Akaun adalah wajib untuk membuat catatan pembayaran -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Sila setup penomboran siri untuk Kehadiran melalui Persediaan> Penomboran Siri apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat pelajar apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat pelajar 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 +1517,Address Name,alamat Nama +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3328,7 +3340,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Masukkan nilai mesti positif +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3337,7 +3349,7 @@ DocType: Process Payroll,Process Payroll,Proses Gaji apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Terdapat lebih daripada cuti hari bekerja bulan ini. DocType: Product Bundle Item,Product Bundle Item,Produk Bundle Item DocType: Sales Partner,Sales Partner Name,Nama Rakan Jualan -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Tawaran Sebut Harga +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Tawaran Sebut Harga DocType: Payment Reconciliation,Maximum Invoice Amount,Amaun Invois maksimum DocType: Student Language,Student Language,Bahasa pelajar apps/erpnext/erpnext/config/selling.py +23,Customers,pelanggan @@ -3348,7 +3360,7 @@ DocType: Asset,Partially Depreciated,sebahagiannya telah disusutnilai DocType: Issue,Opening Time,Masa Pembukaan apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Dari dan kepada tarikh yang dikehendaki apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Sekuriti & Bursa Komoditi -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan @@ -3367,7 +3379,7 @@ 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 +266,Raw Material,Bahan mentah +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3379,7 +3391,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tarikh pembukaan perlu sebelum Tarikh Tutup -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila menetapkan Penamaan Siri untuk {0} melalui Persediaan> Tetapan> Menamakan Siri 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. @@ -3392,8 +3403,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial No Diperlukan untuk Perkara bersiri {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Terpakai Untuk (Jawatan) @@ -3410,7 +3421,7 @@ 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 +270,Hour,Jam +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3420,7 +3431,7 @@ 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 +645,Point of Sale,Tempat Jualan +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3437,8 +3448,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0. +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/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. @@ -3464,14 +3475,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 +465,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 +466,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 +834,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 +835,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 @@ -3503,7 +3514,7 @@ 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 +436,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Negeri Bil @@ -3551,7 +3562,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Tetapan untuk laman web laman utama 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 +214,Invalid attribute {0} {1},sifat yang tidak sah {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Sila pilih kumpulan penilaian selain daripada 'Semua Kumpulan Penilaian' @@ -3653,16 +3664,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Komponen gaji DocType: Program Enrollment Tool,New Academic Year,New Akademik Tahun apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Pulangan / Nota Kredit DocType: Stock Settings,Auto insert Price List rate if missing,Masukkan Auto Kadar Senarai Harga jika hilang -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Jumlah Amaun Dibayar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Jumlah Amaun Dibayar DocType: Production Order Item,Transferred Qty,Dipindahkan Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,Melayari apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Perancangan 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 +272,We sell this Item,Kami menjual Perkara ini +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3710,7 +3723,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 +1186,Please set Company,Sila tetapkan Syarikat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3727,13 +3740,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,memungut Yuran DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} telah digunakan dalam Perkara {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} telah digunakan dalam Perkara {1} DocType: Lead,Add to calendar on this date,Tambah ke kalendar pada tarikh ini apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Peraturan untuk menambah kos penghantaran. DocType: Item,Opening Stock,Stok Awal apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Pelanggan dikehendaki apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} adalah wajib bagi Pulangan DocType: Purchase Order,To Receive,Untuk Menerima +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,E-mel peribadi apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Jumlah Varian DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan menghantar entri perakaunan untuk inventori secara automatik." @@ -3744,7 +3758,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 +541,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3752,7 +3766,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Daripada Waranti DocType: BOM Replace Tool,Replace,Ganti apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Belum ada produk found. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} terhadap Invois Jualan {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nama Projek @@ -3763,6 +3776,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} 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 @@ -3800,9 +3814,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Dari Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Ralat sintaks dalam formula atau keadaan: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Kerja Tetapan Ringkasan Syarikat -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Perkara {0} diabaikan kerana ia bukan satu perkara saham +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 +40,Submit this Production Order for further processing.,Hantar Pesanan Pengeluaran ini untuk proses seterusnya. +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/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 @@ -3810,12 +3824,14 @@ 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 +209,Rate (%),Kadar (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Sila tetapkan Syarikat menapis kosong jika Group By adalah 'Syarikat' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting Tarikh tidak boleh tarikh masa depan apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: No Siri {1} tidak sepadan dengan {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Cuti kasual @@ -3844,7 +3860,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Saham Lejar Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Perkara {0} tidak ditetapkan untuk Serial No. Column boleh kosong +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 DocType: Accounts Settings,Accounts Settings,Tetapan Akaun-akaun apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Terima DocType: Customer,Sales Partner and Commission,Rakan Jualan dan Suruhanjaya @@ -3859,7 +3875,7 @@ 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 +62,{0} items produced,{0} barangan yang dihasilkan +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3873,7 +3889,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Tuntutan Perbelanja 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} DocType: Journal Entry Account,Exchange Rate,Kadar pertukaran -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3898,18 +3914,18 @@ 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 +705,Online,talian +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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 DocType: Employee Loan,Repay Fixed Amount per Period,Membayar balik Jumlah tetap setiap Tempoh apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Sila masukkan kuantiti untuk Perkara {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota Kredit AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Nota Kredit AMT DocType: Employee External Work History,Employee External Work History,Luar pekerja Sejarah Kerja DocType: Tax Rule,Purchase,Pembelian apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Baki Kuantiti @@ -3935,7 +3951,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 +2383,Select items to save the invoice,Pilih item untuk menyelamatkan invois +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3965,6 +3981,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,ambang DocType: BOM Replace Tool,Current BOM,BOM semasa apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Tambah No Serial +DocType: Production Order Item,Available Qty at Source Warehouse,Ada Qty di Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,jaminan DocType: Purchase Invoice,Debit Note Issued,Debit Nota Dikeluarkan DocType: Production Order,Warehouses,Gudang @@ -3980,13 +3997,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Amaun Dibayar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Pengurus Projek ,Quoted Item Comparison,Perkara dipetik Perbandingan apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max diskaun yang dibenarkan untuk item: {0} adalah {1}% +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 +279,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 +879,Select Items to Manufacture,Pilih item untuk mengeluarkan -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa" +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" DocType: Item,Material Issue,Isu Bahan DocType: Hub Settings,Seller Description,Penjual Penerangan DocType: Employee Education,Qualification,Kelayakan @@ -4010,7 +4027,7 @@ DocType: POS Profile,Terms and Conditions,Terma dan Syarat 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 +200,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 +198,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 @@ -4031,7 +4048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk menetapkan Tahun Fiskal ini sebagai lalai, klik pada 'Tetapkan sebagai lalai'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Sertai apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Kekurangan Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama DocType: Employee Loan,Repay from Salary,Membayar balik dari Gaji DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Meminta pembayaran daripada {0} {1} untuk jumlah {2} @@ -4049,18 +4066,18 @@ 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 +1011,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,No siri {0} telah diterima +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,No siri {0} telah diterima ,Requested Items To Be Transferred,Item yang diminta Akan Dipindahkan 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 +1312,Delete permanently?,Padam selama-lamanya? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Tidak sah {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Tidak sah {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Cuti Sakit DocType: Email Digest,Email Digest,E-mel Digest DocType: Delivery Note,Billing Address Name,Bil Nama Alamat @@ -4073,6 +4090,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Boleh dikenakan cukai DocType: Company,Change Abbreviation,Perubahan Singkatan DocType: Expense Claim Detail,Expense Date,Perbelanjaan Tarikh +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod item> Item Group> Jenama DocType: Item,Max Discount (%),Max Diskaun (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Perintah lepas Jumlah DocType: Task,Is Milestone,adalah Milestone @@ -4096,8 +4114,8 @@ DocType: Program Enrollment Tool,New Program,Program baru DocType: Item Attribute Value,Attribute Value,Atribut Nilai ,Itemwise Recommended Reorder Level,Itemwise lawatan Reorder Level DocType: Salary Detail,Salary Detail,Detail gaji -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Sila pilih {0} pertama -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah tamat. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Sila pilih {0} pertama +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah tamat. DocType: Sales Invoice,Commission,Suruhanjaya apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Lembaran Masa untuk pembuatan. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,jumlah kecil @@ -4122,12 +4140,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 +399,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 +394,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 +387,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 +382,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 @@ -4157,7 +4175,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Tarikh pelupusan DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mel akan dihantar kepada semua Pekerja Active syarikat itu pada jam yang diberikan, jika mereka tidak mempunyai percutian. Ringkasan jawapan akan dihantar pada tengah malam." DocType: Employee Leave Approver,Employee Leave Approver,Pekerja Cuti Pelulus -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Tidak boleh mengaku sebagai hilang, kerana Sebutharga telah dibuat." 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 @@ -4191,6 +4209,7 @@ DocType: Announcement,Student,pelajar apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unit organisasi (jabatan) induk. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Sila masukkan nos bimbit sah apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Sila masukkan mesej sebelum menghantar +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,PENDUA BAGI PEMBEKAL DocType: Email Digest,Pending Quotations,Sementara menunggu Sebutharga apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Sila Kemaskini Tetapan SMS @@ -4199,7 +4218,7 @@ DocType: Cost Center,Cost Center Name,Kos Nama Pusat DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max jam bekerja terhadap Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Tarikh yang dijadualkan -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Jumlah dibayar AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Jumlah dibayar AMT DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesej yang lebih besar daripada 160 aksara akan berpecah kepada berbilang mesej DocType: Purchase Receipt Item,Received and Accepted,Diterima dan Diterima ,GST Itemised Sales Register,GST Terperinci Sales Daftar @@ -4209,7 +4228,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 +237,Your Suppliers,Pembekal anda +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Tidak dapat menolak apabila kategori adalah untuk 'Penilaian' atau 'Vaulation dan Jumlah' @@ -4221,7 +4240,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Laman web Image {0} melekat Perkara {1} tidak boleh didapati +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. @@ -4236,7 +4255,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Apa yang ia apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Untuk Gudang apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Semua Kemasukan Pelajar ,Average Commission Rate,Purata Kadar Suruhanjaya -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Punyai Nombor Siri' tidak boleh 'Ya' untuk benda bukan stok +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Punyai Nombor Siri' tidak boleh 'Ya' untuk benda bukan stok apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Kehadiran tidak boleh ditandakan untuk masa hadapan DocType: Pricing Rule,Pricing Rule Help,Peraturan Harga Bantuan DocType: School House,House Name,Nama rumah @@ -4252,7 +4271,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 +339,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 +340,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 @@ -4267,20 +4286,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji pekerja {0} telah dicipta untuk lembaran masa {1} DocType: Vehicle Log,Odometer,odometer DocType: Sales Order Item,Ordered Qty,Mengarahkan Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Perkara {0} dilumpuhkan +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Menjana Gaji Slip -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Membeli hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Membeli hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Diskaun mesti kurang daripada 100 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 +500,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Baucer Kos mendarat @@ -4343,7 +4362,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Jangkaan Tarikh tidak boleh sebelum Bahan Permintaan Tarikh DocType: Purchase Invoice Item,Stock Qty,saham Qty DocType: Purchase Invoice Item,Stock Qty,saham Qty -DocType: Production Order,Source Warehouse (for reserving Items),Sumber Warehouse (untuk tempahan Item) DocType: Employee Loan,Repayment Period in Months,Tempoh pembayaran balik dalam Bulan apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Ralat: Bukan id sah? DocType: Naming Series,Update Series Number,Update Siri Nombor @@ -4392,7 +4410,7 @@ DocType: Production Order,Planned End Date,Dirancang Tarikh Akhir apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Di mana item disimpan. DocType: Request for Quotation,Supplier Detail,Detail pembekal apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Ralat dalam formula atau keadaan: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Invois +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Invois DocType: Attendance,Attendance,Kehadiran apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Item saham DocType: BOM,Materials,Bahan @@ -4433,10 +4451,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Persediaan sebuah laman web yang mudah untuk organisasi saya +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 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 +650,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0} DocType: Item,Default Warehouse,Gudang Default apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Bajet tidak boleh diberikan terhadap Akaun Kumpulan {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Sila masukkan induk pusat kos @@ -4498,7 +4516,7 @@ 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 +1344,Select or add new customer,Pilih atau menambah pelanggan baru +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/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 @@ -4506,6 +4524,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Sila setup pekerja Penamaan Sistem dalam Sumber Manusia> Tetapan HR 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 +231,{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. @@ -4528,7 +4547,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4548,7 +4567,7 @@ DocType: POS Profile,Account for Change Amount,Akaun untuk Perubahan Jumlah apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Majlis / Akaun tidak sepadan dengan {1} / {2} dalam {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Sila masukkan Akaun Perbelanjaan DocType: Account,Stock,Saham -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Purchase Order, Invois Belian atau Kemasukan Journal" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Purchase Order, Invois Belian atau Kemasukan Journal" DocType: Employee,Current Address,Alamat Semasa DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jika item adalah variasi yang lain item maka penerangan, gambar, harga, cukai dan lain-lain akan ditetapkan dari template melainkan jika dinyatakan secara jelas" DocType: Serial No,Purchase / Manufacture Details,Pembelian / Butiran Pembuatan @@ -4587,11 +4606,12 @@ DocType: Student,Home Address,Alamat rumah apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,pemindahan Aset DocType: POS Profile,POS Profile,POS Profil DocType: Training Event,Event Name,Nama event -apps/erpnext/erpnext/config/schools.py +39,Admission,kemasukan +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,kemasukan apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Kemasukan untuk {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Perkara {0} adalah template, sila pilih salah satu daripada variannya" DocType: Asset,Asset Category,Kategori Asset +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Pembeli apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Gaji bersih tidak boleh negatif DocType: SMS Settings,Static Parameters,Parameter statik DocType: Assessment Plan,Room,bilik @@ -4600,6 +4620,7 @@ DocType: Item,Item Tax,Perkara Cukai apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Bahan kepada Pembekal apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah DocType: Expense Claim,Employees Email Id,Id Pekerja E-mel DocType: Employee Attendance Tool,Marked Attendance,Kehadiran ketara apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Liabiliti Semasa @@ -4671,6 +4692,7 @@ DocType: Leave Type,Is Carry Forward,Apakah Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Ringkasan Stock diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv index 24daec4749..ce6eeac526 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ထုတ်လုပ်မှုအမိန့်ကိုပယ်ဖျက်ဖို့ပထမဦးဆုံးက Unstop ဖျက်သိမ်းလိုက်ရမရနိုင်ပါရပ်တန့် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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 လုပ်ပါ @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1} +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 +808,Invoice,ဝယ်ကုန်စာရင်း DocType: Maintenance Schedule Item,Periodicity,ကာလ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} လိုအပ်သည် @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,တိုးတက်မှုများတွင်အလုပ် apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ရက်စွဲကို select လုပ်ပါကျေးဇူးပြုပြီး DocType: Employee,Holiday List,အားလပ်ရက်များစာရင်း -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,စာရင်းကိုင် +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,စာရင်းကိုင် DocType: Cost Center,Stock User,စတော့အိတ်အသုံးပြုသူတို့၏ DocType: Company,Phone No,Phone များမရှိပါ apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,created သင်တန်းအချိန်ဇယားများ: @@ -110,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,မိဘ 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 +269,Kg,ကီလိုဂရမ် +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,ကီလိုဂရမ် DocType: Student Log,Log,တုံး apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,တစ်ဦးယောဘသည်အဖွင့်။ DocType: Item Attribute,Increment,increment @@ -120,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 +42,Not permitted for {0},{0} ဘို့ခွင့်မပြု apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,အထဲကပစ္စည်းတွေကို Get -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ +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/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 +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,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 +1673,Not items found,မတွေ့ရှိပစ္စည်းများ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,စတော့အိတ DocType: Warehouse,Warehouse Detail,ဂိုဒေါင် Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ခရက်ဒစ်န့်သတ်ချက် {1} / {2} {0} ဖောက်သည်များအတွက်ကူးခဲ့ 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.,အဆိုပါ Term အဆုံးနေ့စွဲနောက်ပိုင်းတွင်သက်တမ်း (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာပြီးဆုံးရက်စွဲထက်မဖွစျနိုငျသညျ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။ -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ပိုင်ဆိုင်မှုစံချိန်ပစ္စည်းဆန့်ကျင်တည်ရှိအဖြစ်, ထိနျးခြုပျမဖွစျနိုငျ "Fixed Asset ရှိ၏"" +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/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,တစ်ဦးဖုန်းဆက်သူအမည်တူနှင့်အတူတည်ရှိ @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} ကနေ {1} မှ DocType: Item,Copy From Item Group,Item အုပ်စု မှစ. မိတ္တူ DocType: Journal Entry,Opening Entry,Entry 'ဖွင့်လှစ် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,အကောင့်သာလျှင် Pay DocType: Employee Loan,Repay Over Number of Periods,ကာလနံပါတ်ကျော်ပြန်ဆပ် DocType: Stock Entry,Additional Costs,အပိုဆောင်းကုန်ကျစရိတ် @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,အိမ်ခြံမြေရောင်းဝယ်ရေးလုပ်ငန်း -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,အကောင့်၏ထုတ်ပြန်ကြေညာချက် +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,ဆေးဝါးများ DocType: Purchase Invoice Item,Is Fixed Asset,Fixed Asset Is apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ရရှိနိုင်အရည်အတွက် {0}, သငျသညျ {1} လိုအပ်သည်" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumer +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ဥပမာ: အခြေခံပညာသင်္ချာ +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/config/hr.py +214,Settings for HR Module,HR Module သည် Settings ကို DocType: SMS Center,SMS Center,SMS ကို Center က @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ပစ္စည်းများနှင့်စျေးနှုန်းများ apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},စုစုပေါင်းနာရီ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},နေ့စွဲကနေဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းတွင်သာဖြစ်သင့်သည်။ နေ့စွဲ မှစ. ယူဆ = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,quotes DocType: Customer,Individual,တစ်ဦးချင်း DocType: Interest,Academics User,ပညာရှင်တွေအသုံးပြုသူတို့၏ DocType: Cheque Print Template,Amount In Figure,ပုံထဲမှာပမာဏ @@ -265,7 +266,7 @@ DocType: Employee,Create User,အသုံးပြုသူကိုဖန် DocType: Selling Settings,Default Territory,default နယ်မြေတွေကို apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ရုပ်မြင်သံကြား DocType: Production Order Operation,Updated via 'Time Log','' အချိန်အထဲ '' ကနေတဆင့် Updated -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Naming Series,Series List for this Transaction,ဒီ Transaction သည်စီးရီးများစာရင်း DocType: Company,Enable Perpetual Inventory,ထာဝရ Inventory Enable DocType: Company,Default Payroll Payable Account,default လစာပေးရန်အကောင့် @@ -273,7 +274,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 +177,For Warehouse is required before Submit,ဂိုဒေါင်လိုအပ်သည်သည်ခင် Submit +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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-စတော့ရှယ်ယာပစ္စည်းများပါဝင်တော်မူမည်။" @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,ဆက်သွယ်ရန်အမည် +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 ဖောက်သည်အုပ်စု @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,နေ့စွဲ Relieving အတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည် 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 +189,Warehouse {0} does not belong to company {1},ဂိုဒေါင် {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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည် +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည် apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ဘဏ်မှ Entries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,နှစ်ပတ်လည် DocType: Stock Reconciliation Item,Stock Reconciliation Item,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး Item @@ -315,7 +316,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 +316,People who teach at your organisation,သင်၏အဖွဲ့အစည်းမှာသင်ပေးတဲ့သူကလူ +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,အသုံးပြုသူန DocType: Item,Publish in Hub,Hub အတွက်ထုတ်ဝေ DocType: Student Admission,Student Admission,ကျောင်းသားသမဂ္ဂင်ခွင့် ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,item {0} ဖျက်သိမ်းလိုက် +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 +882,Material Request,material တောင်းဆိုခြင်း DocType: Bank Reconciliation,Update Clearance Date,Update ကိုရှင်းလင်းရေးနေ့စွဲ DocType: Item,Purchase Details,အသေးစိတ်ဝယ်ယူ @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,ရေယာဉ်စု Manager ကို apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,မြို့ပတ်ရထားကိုးကားစရာအမှား @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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 သိရသည်။ တဖန်ဆွဲပေးပါ။ -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} Item ခွန်အတွက်နှစ်ကြိမ်သို့ဝင် +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} Item ခွန်အတွက်နှစ်ကြိမ်သို့ဝင် apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ယခုရက်သတ္တပတ်များနှင့် Pend လှုပ်ရှားမှုများအကျဉ်းချုပ် DocType: Student Applicant,Admitted,ဝန်ခံ DocType: Workstation,Rent Cost,ငှားရန်ကုန်ကျစရိတ် @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ရရှိထားသည့် apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ကျောင်းသားအဖွဲ့များ Create apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ယခုပင်လျှင် Complete Setup ကို !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,credit မှတ်ချက်ငွေပမာဏ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,credit မှတ်ချက်ငွေပမာဏ ,Finished Goods,လက်စသတ်ကုန်စည် DocType: Delivery Note,Instructions,ညွှန်ကြားချက်များ DocType: Quality Inspection,Inspected By,အားဖြင့်ကြည့်ရှုစစ်ဆေးသည် @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,အရစ်ကျမိန့် Create ,Purchase Register,မှတ်ပုံတင်မည်ဝယ်ယူ DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။ +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာကိုရှေးခယျြ +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာကိုရှေးခယျြ DocType: HR Settings,Employee record is created using selected field. ,ဝန်ထမ်းစံချိန်ရွေးချယ်ထားသောလယ်ကို အသုံးပြု. နေသူများကဖန်တီး။ DocType: Sales Order,Not Applicable,မသက်ဆိုင်ပါ apps/erpnext/erpnext/config/hr.py +70,Holiday master.,အားလပ်ရက်မာစတာ။ @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 နိုင်ဘူး" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ဂိုဒေါင်ပစ္စည်းတောင်းဆိုမှုမွောကျလိမျ့မညျအရာအဘို့အရိုက်ထည့်ပေးပါ DocType: Production Order,Additional Operating Cost,နောက်ထပ် Operating ကုန်ကျစရိတ် apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,အလှကုန် -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ပေါင်းစည်းဖို့, အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးပစ္စည်းများသည်အတူတူပင်ဖြစ်ရပါမည်" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","ပေါင်းစည်းဖို့, အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးပစ္စည်းများသည်အတူတူပင်ဖြစ်ရပါမည်" DocType: Shipping Rule,Net Weight,အသားတင်အလေးချိန် DocType: Employee,Emergency Phone,အရေးပေါ်ဖုန်း apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ယ်ယူရန် @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ Edit ကိုအခွန်နှင့်စွပ်စွဲချက် Add DocType: Purchase Invoice,Supplier Invoice No,ပေးသွင်းပြေစာမရှိ DocType: Territory,For reference,ကိုးကားနိုင်ရန် -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","ဒါကြောင့်စတော့ရှယ်ယာငွေပေးငွေယူမှာအသုံးပြုတဲ့အတိုင်း, {0} Serial No မဖျက်နိုင်ပါ" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","ဒါကြောင့်စတော့ရှယ်ယာငွေပေးငွေယူမှာအသုံးပြုတဲ့အတိုင်း, {0} Serial No မဖျက်နိုင်ပါ" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),(Cr) ပိတ်ပစ် apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Item Move DocType: Serial No,Warranty Period (Days),အာမခံကာလ (Days) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,ပထမဦးဆုံးကုမ္ပဏီနှင့်ပါတီ Type ကိုရွေးပါ ကျေးဇူးပြု. apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။ apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,စုဆောင်းတန်ဖိုးများ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ဝမ်းနည်းပါတယ်, Serial အမှတ်ပေါင်းစည်းမရနိုင်ပါ" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","ဝမ်းနည်းပါတယ်, Serial အမှတ်ပေါင်းစည်းမရနိုင်ပါ" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,အရောင်းအမိန့်လုပ်ပါ DocType: Project Task,Project Task,စီမံကိန်းရဲ့ Task ,Lead Id,ခဲ Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,နေရာချထား apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,အရောင်းသို့ပြန်သွားသည် 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,မှတ်ချက်: စုစုပေါင်းခွဲဝေရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုရွက် {1} ထက်လျော့နည်းမဖြစ်သင့်ပါဘူး +,Total Stock Summary,စုစုပေါငျးစတော့အိတ်အကျဉ်းချုပ် DocType: Announcement,Posted By,အားဖြင့် Posted DocType: Item,Delivered by Supplier (Drop Ship),ပေးသွင်း (Drop သင်္ဘော) ဖြင့်ကယ်လွှတ် apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,အလားအလာရှိသောဖောက်သည်၏ဒေတာဘေ့စ။ @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,customer ဒေတ DocType: Quotation,Quotation To,စျေးနှုန်းရန် DocType: Lead,Middle Income,အလယျပိုငျးဝင်ငွေခွန် apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ဖွင့်ပွဲ (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,သင်ပြီးသားကိုအခြား UOM နှင့်အတူအချို့သောအရောင်းအဝယ် (s) ကိုရာ၌ခန့်ထားပြီဖြစ်သောကြောင့်ပစ္စည်းအဘို့အတိုင်း၏ default အနေနဲ့ယူနစ် {0} ကိုတိုက်ရိုက်ပြောင်းလဲသွားမရနိုင်ပါ။ သင်တစ်ဦးကွဲပြားခြားနားသောပုံမှန် UOM သုံးစွဲဖို့အသစ်တစ်ခုပစ္စည်းကိုဖန်တီးရန်လိုအပ်ပါလိမ့်မည်။ +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,သင်ပြီးသားကိုအခြား UOM နှင့်အတူအချို့သောအရောင်းအဝယ် (s) ကိုရာ၌ခန့်ထားပြီဖြစ်သောကြောင့်ပစ္စည်းအဘို့အတိုင်း၏ default အနေနဲ့ယူနစ် {0} ကိုတိုက်ရိုက်ပြောင်းလဲသွားမရနိုင်ပါ။ သင်တစ်ဦးကွဲပြားခြားနားသောပုံမှန် UOM သုံးစွဲဖို့အသစ်တစ်ခုပစ္စည်းကိုဖန်တီးရန်လိုအပ်ပါလိမ့်မည်။ apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ခွဲဝေငွေပမာဏအနုတ်လက္ခဏာမဖြစ်နိုင် apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,မာစတာ DocType: Assessment Plan,Maximum Assessment Score,အများဆုံးအကဲဖြတ်ရမှတ် apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update ကိုဘဏ်မှငွေသွင်းငွေထုတ်နေ့စွဲများ apps/erpnext/erpnext/config/projects.py +30,Time Tracking,အချိန်ခြေရာကောက် +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,သယ်ယူပို့ဆောင်ရေး Duplicate DocType: Fiscal Year Company,Fiscal Year Company,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကုမ္ပဏီ DocType: Packing Slip Item,DN Detail,ဒန Detail DocType: Training Event,Conference,အစည်းအဝေး @@ -684,8 +688,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 +320,Timesheet created:,Timesheet ကဖန်တီး: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,စာရင်းသွင်း DocType: GST Settings,GST Settings,GST က Settings DocType: Selling Settings,Customer Naming By,အားဖြင့်ဖောက်သည် Name @@ -714,7 +718,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 +139,Finish,အပြီးသတ် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,အပြီးသတ် apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,base DocType: Timesheet,Total Billed Hours,စုစုပေါင်းကောက်ခံခဲ့နာရီ DocType: Journal Entry,Write Off Amount,ငွေပမာဏပိတ်ရေးထား @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,ရောင်းချသူစီးတီ ,Absent Student Report,ပျက်ကွက်ကျောင်းသားအစီရင်ခံစာ DocType: Email Digest,Next email will be sent on:,Next ကိုအီးမေးလ်အပေါ်ကိုစလှေတျပါလိမ့်မည်: DocType: Offer Letter Term,Offer Letter Term,ပေးစာ Term ကိုပူဇော် -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,item မျိုးကွဲရှိပါတယ်။ +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,item မျိုးကွဲရှိပါတယ်။ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,item {0} မတွေ့ရှိ DocType: Bin,Stock Value,စတော့အိတ် Value တစ်ခု apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ကုမ္ပဏီ {0} မတည်ရှိပါဘူး @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","အကွိမျမြားစှာစျေးစည်းကမ်းများတူညီတဲ့စံနှင့်အတူတည်ရှိ, ဦးစားပေးတာဝန်ပေးဖို့ခြင်းဖြင့်ပဋိပက္ခဖြေရှင်းရန်ပါ။ စျေးစည်းကမ်းများ: {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,ဒါကြောင့်အခြား 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 +48,Make Timesheet,Timesheet Make +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ DocType: Company,Default Cost of Goods Sold Account,ကုန်စည်၏ def apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ် DocType: Employee,Family Background,မိသားစုနောက်ခံသမိုင်း DocType: Request for Quotation Supplier,Send Email,အီးမေးလ်ပို့ပါ -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},သတိပေးချက်: မမှန်ကန်ခြင်းနှောင်ကြိုး {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,အဘယ်သူမျှမခွင့်ပြုချက် +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},သတိပေးချက်: မမှန်ကန်ခြင်းနှောင်ကြိုး {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,အဘယ်သူမျှမခွင့်ပြုချက် 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 +269,Nos,nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} တင်သွင်းရဦးမည် @@ -866,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} တဲ့ 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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,စုဆောင်းတန်ဖိုးဖွင့်လှစ် @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည် +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},serial No {0} Item မှ {1} ပိုင်ပါဘူး +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},serial No {0} Item မှ {1} ပိုင်ပါဘူး DocType: Purchase Receipt Item Supplied,Required Qty,မရှိမဖြစ်တဲ့ Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,လက်ရှိငွေပေးငွေယူနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုင်ပါ။ DocType: Bank Reconciliation,Total Amount,စုစုပေါင်းတန်ဘိုး @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,components apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Item {0} အတွက်ပိုင်ဆိုင်မှုအမျိုးအစားကိုရိုက်သွင်းပါ DocType: Quality Inspection Reading,Reading 6,6 Reading -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,နိုင်သလားမ {0} {1} {2} မည်သည့်အနှုတ်လက္ခဏာထူးချွန်ငွေတောင်းခံလွှာမပါဘဲ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,နိုင်သလားမ {0} {1} {2} မည်သည့်အနှုတ်လက္ခဏာထူးချွန်ငွေတောင်းခံလွှာမပါဘဲ DocType: Purchase Invoice Advance,Purchase Invoice Advance,ဝယ်ယူခြင်းပြေစာကြိုတင်ထုတ် DocType: Hub Settings,Sync Now,အခုတော့ Sync ကို apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},row {0}: Credit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ @@ -992,12 +996,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 +731,New Sales Invoice,နယူးအရောင်းပြေစာ +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ DocType: Payment Request,Paid,Paid DocType: Program Fee,Program Fee,Program ကိုလျှောက်လွှာကြေး DocType: Salary Slip,Total in words,စကားစုစုပေါင်း @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ဓါတုဗေဒ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ဒီ mode ကိုရှေးခယျြထားသညျ့အခါ default ဘဏ် / ငွေအကောင့်ကိုအလိုအလျောက်လစာဂျာနယ် Entry အတွက် update လုပ်ပါလိမ့်မည်။ DocType: BOM,Raw Material Cost(Company Currency),ကုန်ကြမ်းပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ပစ္စည်းများအားလုံးပြီးပြီဒီထုတ်လုပ်မှုအမိန့်သည်ပြောင်းရွှေ့ခဲ့တာဖြစ်ပါတယ်။ +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 +270,Meter,မီတာ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,မီတာ DocType: Workstation,Electricity Cost,လျှပ်စစ်မီးကုန်ကျစရိတ် DocType: HR Settings,Don't send Employee Birthday Reminders,န်ထမ်းမွေးနေသတိပေးချက်များမပို့ပါနဲ့ DocType: Item,Inspection Criteria,စစ်ဆေးရေးလိုအပ်ချက် @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 ချေးငွေပမာဏ @@ -1064,7 +1068,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 +259,Qty for {0},{0} သည် Qty +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,ငွေသား / ဘဏ်မှ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},တစ် {0} ကိုသတ်မှတ်ပေးပါ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,အရေအတွက်သို့မဟုတ်တန်ဖိုးမျှပြောင်းလဲမှုနှင့်အတူပစ္စည်းများကိုဖယ်ရှားခဲ့သည်။ DocType: Delivery Note,Delivery To,ရန် Delivery -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,attribute စားပွဲပေါ်မှာမဖြစ်မနေဖြစ်ပါသည် +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,attribute စားပွဲပေါ်မှာမဖြစ်မနေဖြစ်ပါသည် DocType: Production Planning Tool,Get Sales Orders,အရောင်းအမိန့် Get -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} အနုတ်လက္ခဏာမဖြစ်နိုင် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} အနုတ်လက္ခဏာမဖြစ်နိုင် apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,လြှော့ခွငျး DocType: Asset,Total Number of Depreciations,တန်ဖိုးစုစုပေါင်းအရေအတွက် DocType: Sales Invoice Item,Rate With Margin,Margin အတူ rate @@ -1115,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,default ရောင်းချသည့်ကုန်ကျစရိတ် Center က DocType: Sales Partner,Implementation Partner,အကောင်အထည်ဖော်ရေး Partner -apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,စာပို့သင်္ကေတ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 ဖော်ဆောင်ရေး @@ -1134,7 +1138,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,သင့်ရဲ့ပေးသွင်းသူများ၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။ +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,Production Order {0} must be cancelled before cancelling this Sales Order,ထုတ်လုပ်မှုအမိန့် {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည် -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On','' Apply ဖြည့်စွက်လျှော့တွင် '' set ကျေးဇူးပြု. +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 မျိုးမျိုးရန်ထက်လျော့နည်းဖြစ်ဖို့ရှိပါတယ် DocType: Global Defaults,Global Defaults,ဂလိုဘယ် Defaults ကို @@ -1167,10 +1171,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN ၏ပထမဦးဆုံး 2 ဂဏန်းပြည်နယ်အရေအတွက်သည် {0} နှင့်အတူကိုက်ညီသင့်တယ် +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းအမှား +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းအမှား ,Trial Balance for Party,ပါတီများအတွက် trial Balance ကို DocType: Lead,Consultant,အကြံပေး DocType: Salary Slip,Earnings,င်ငွေ @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,သို့ပြန်သွားသည apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,ပြန်သွား / မြီစားမှတ်ချက် DocType: Price List Country,Price List Country,စျေးနှုန်းကိုစာရင်းနိုင်ငံ DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},Item {1} သည် {0} တရားဝင် serial nos +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},Item {1} သည် {0} တရားဝင် serial nos apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,item Code ကို Serial နံပါတ်သည်ပြောင်းလဲမပြနိုင် apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile ကို {0} ပြီးသားအသုံးပြုသူဖန်တီး: {1} နှင့်ကုမ္ပဏီ {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM ကူးပြောင်းခြင်း Factor @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Item Code ကိုအတူ Item သည်ကုန်ကျစရိတ် Center က '' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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 ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။" 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-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ် @@ -1242,7 +1246,7 @@ 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,view လယ်ဂျာ DocType: Grading Scale,Intervals,အကြား apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,အစောဆုံး -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","တစ်ဦး Item Group မှအမည်တူနှင့်အတူရှိနေတယ်, ပစ္စည်းအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းအုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,အဆိုပါ Item {0} Batch ရှိသည်မဟုတ်နိုင် @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ DocType: Purchase Invoice,Rejected Warehouse,ပယ်ချဂိုဒေါင် DocType: GL Entry,Against Voucher,ဘောက်ချာဆန့်ကျင် DocType: Item,Default Buying Cost Center,default ဝယ်ယူကုန်ကျစရိတ် Center က @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,အရောင်းအမှာစာ {0} တရားဝင်မဟုတ် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ထုတ်ဝေသည့်နေရာ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,စာချုပ် DocType: Email Digest,Add Quote,Quote Add -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM လိုအပ် UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM လိုအပ် UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1} 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 +736,Sync Master Data,Sync ကိုမာစတာ Data ကို -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ +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,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ DocType: Mode of Payment,Mode of Payment,ငွေပေးချေမှုရမည့်၏ Mode ကို -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့် +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,အေပီ DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ဒါကအမြစ်ကို item အဖွဲ့နှင့်တည်းဖြတ်မရနိုင်ပါ။ @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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 '' အပေါ်အခြေခံပြီးရွေးချယ်ထားဖြစ်ပါတယ်။" 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 ဖြစ်သင့် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},ထုတ်လုပ်မှုအမိန့် status ကို {0} သည် DocType: Appraisal Goal,Goal,ရည်မှန်းချက် DocType: Sales Invoice Item,Edit Description,Edit ကိုဖော်ပြချက် ,Team Updates,အသင်းကိုအပ်ဒိတ်များ @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးဂိုဒေါင်ဒီဂိုဒေါင်အဘို့အရှိနေပြီ။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။ DocType: Item,Website Item Groups,website Item အဖွဲ့များ DocType: Purchase Invoice,Total (Company Currency),စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,serial number ကို {0} တစ်ကြိမ်ထက်ပိုပြီးဝသို့ဝင် +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 +78,{0} items in progress,တိုးတက်မှုအတွက် {0} ပစ္စည်းများ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,ဤရှေ့ဆက်အတူပြီးခဲ့သည့်နေသူများကဖန်တီးအရောင်းအဝယ်အရေအတွက်သည် @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1429,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,ဆက်သွယ်ရေးမှတ်တမ်း။ @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,သဘောင်္တင်ခ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ငွေစာရင်း၏ဇယား DocType: Material Request,Terms and Conditions Content,စည်းကမ်းသတ်မှတ်ချက်များအကြောင်းအရာ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 ကိုထက် သာ. ကြီးမြတ်မဖွစျနိုငျ -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး DocType: Maintenance Visit,Unscheduled,Unscheduled DocType: Employee,Owned,ပိုင်ဆိုင် DocType: Salary Detail,Depends on Leave Without Pay,Pay ကိုမရှိရင်ထွက်ခွာအပေါ်မူတည် @@ -1468,7 +1470,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 +273,We buy this Item,ကျွန်ုပ်တို့သည်ဤ Item ကိုဝယ် +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 ကိုချိန်ခွင်ပြရန် @@ -1479,7 +1481,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 +266,Sub Assemblies,sub စညျးဝေး +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,sub စညျးဝေး DocType: Asset,Asset Name,ပိုင်ဆိုင်မှုအမည် DocType: Project,Task Weight,task ကိုအလေးချိန် DocType: Shipping Rule Condition,To Value,Value တစ်ခုမှ @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,အရင်းအမြစ် apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show ကိုပိတ်ထား DocType: Leave Type,Is Leave Without Pay,Pay ကိုမရှိရင် Leave ဖြစ်ပါတယ် -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည် +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ထိုငွေပေးချေမှုရမည့် table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ဒီ {2} {3} ဘို့ {1} နှင့်အတူ {0} ပဋိပက္ခများကို DocType: Student Attendance Tool,Students HTML,ကျောင်းသားများက HTML DocType: POS Profile,Apply Discount,လျှော့ Apply -DocType: Purchase Invoice Item,GST HSN Code,GST HSN Code ကို +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 +283,Packing Slip(s) cancelled,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ (s) ဖျက်သိမ်း @@ -1560,8 +1562,8 @@ 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 +2573,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည် -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,သေတ္တာ +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 +873,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 များစာရင်းဖန်တီး ကျေးဇူးပြု. @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,ပြန်ဆပ် Method ကို DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","check လုပ်ထားလျှင်, ပင်မစာမျက်နှာဝက်ဘ်ဆိုက်များအတွက် default အနေနဲ့ Item Group မှဖြစ်လိမ့်မည်" DocType: Quality Inspection Reading,Reading 4,4 Reading -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} စီမံကိန်း {1} ဘို့မတွေ့ရှိများအတွက် default BOM 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 တစ်စောင်လျှင်နေ့စွဲမတိုင်မီမဖွစျနိုငျ @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,တဲ့ New ta apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,စျေးနှုန်းလုပ်ပါ apps/erpnext/erpnext/config/selling.py +216,Other Reports,အခြားအစီရင်ခံစာများ DocType: Dependent Task,Dependent Task,မှီခို Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},တိုင်း၏ default အနေနဲ့ယူနစ်သည်ကူးပြောင်းခြင်းအချက်အတန်းအတွက် 1 {0} ဖြစ်ရမည် +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},တိုင်း၏ default အနေနဲ့ယူနစ်သည်ကူးပြောင်းခြင်းအချက်အတန်းအတွက် 1 {0} ဖြစ်ရမည် 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} အတွက်ပုံမှန်လစာပေးချေအကောင့်ကိုသတ်မှတ်ပေးပါ DocType: SMS Center,Receiver List,receiver များစာရင်း -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ရှာရန် Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ယခုပင်လျှင်ပြီးစီး +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/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 +263,Quantity must not be more than {0},အရေအတွက် {0} ထက်ပိုပြီးမဖြစ်ရပါမည် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,ဖောက်သည် POS Id DocType: Account,Account Name,အကောင့်အမည် apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,နေ့စွဲကနေနေ့စွဲရန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,serial No {0} အရေအတွက် {1} တဲ့အစိတ်အပိုင်းမဖွစျနိုငျ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,serial No {0} အရေအတွက် {1} တဲ့အစိတ်အပိုင်းမဖွစျနိုငျ apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ပေးသွင်း Type မာစတာ။ 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 မဖွစျနိုငျ @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,မော်တော်ယာဉ် Dispatch နေ့စွဲ +DocType: Purchase Order Item,HSN/SAC,HSN / sac apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ဝယ်ယူခြင်း Receipt {0} တင်သွင်းသည်မဟုတ် DocType: Company,Default Payable Account,default ပေးဆောင်အကောင့် apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ထိုကဲ့သို့သောစသည်တို့ရေကြောင်းစည်းမျဉ်းစည်းကမ်းများ, စျေးနှုန်းစာရင်းအဖြစ်အွန်လိုင်းစျေးဝယ်လှည်းသည် Settings ကို" @@ -1694,7 +1696,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,အရွက်အ DocType: Sales Invoice,Packed Items,ထုပ်ပိုးပစ္စည်းများ apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Serial နံပါတ်ဆန့်ကျင်အာမခံပြောဆိုချက်ကို DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ဒါကြောင့်အသုံးပြုသည်အဘယ်မှာရှိရှိသမျှသည်အခြားသော BOMs အတွက်အထူးသဖြင့် BOM အစားထိုးလိုက်ပါ။ ဒါဟာအသစ်တွေ BOM နှုန်းအဖြစ်ဟောင်းကို BOM link ကို, update ကကုန်ကျစရိတ်ကိုအစားထိုးနှင့် "BOM ပေါက်ကွဲမှုဖြစ် Item" စားပွဲပေါ်မှာအသစ်တဖန်လိမ့်မည်" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','' စုစုပေါင်း '' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','' စုစုပေါင်း '' DocType: Shopping Cart Settings,Enable Shopping Cart,စျေးဝယ်ခြင်းတွန်းလှည်းကို Enable DocType: Employee,Permanent Address,အမြဲတမ်းလိပ်စာ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1730,6 +1732,7 @@ DocType: Material Request,Transferred,လွှဲပြောင်း DocType: Vehicle,Doors,တံခါးပေါက် apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,တစ်ဖောက်သည်အုပ်စုနာမည်တူနှင့်အတူတည်ရှိသုံးစွဲသူအမည်ကိုပြောင်းလဲဒါမှမဟုတ်ဖောက်သည်အုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ @@ -1749,7 +1752,7 @@ 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 +699,Offline,အော့ဖ်လိုင်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,တစ်ဦးယောဘသည်လျှောက်ထားသူ @@ -1766,7 +1769,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,အဓိက apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,မူကွဲ DocType: Naming Series,Set prefix for numbering series on your transactions,သင့်ရဲ့ငွေကြေးလွှဲပြောင်းအပေါ်စီးရီးဦးရေသည်ရှေ့ဆက် Set DocType: Employee Attendance Tool,Employees HTML,ဝန်ထမ်းများ HTML ကို -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည် +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည် 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,နှစ်ပတ်လည်ကုန်ကျစရိတ် @@ -1779,7 +1782,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 +175,Work-in-Progress Warehouse is required before Submit,အလုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်ခင် Submit လိုအပ်သည် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,ပြဋ္ဌာန်းဥပဒေအချက်အလက်နှင့်သင်၏ပေးသွင်းအကြောင်းကိုအခြားအထွေထွေသတင်းအချက်အလက် @@ -1789,7 +1792,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ကျောင်းသားအုပ်စုအစွမ်းသတ္တိ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ဂျာနယ် Entry '{0} ဆန့်ကျင်မည်သည့် unmatched {1} entry ကိုမရှိပါဘူး apps/erpnext/erpnext/config/hr.py +137,Appraisals,တန်ဖိုးခြင်း -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Serial No Item {0} သည်သို့ဝင် Duplicate +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 များဝယ်ယူထားကျေးဇူးပြုပြီး" @@ -1798,7 +1801,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည် +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ငွေပေးချေမှုရမည့် @@ -1817,12 +1820,12 @@ 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 +257,"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 +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 အုပ်စု, တိုင်းနှင့်အခြားဂုဏ်သတ္တိ၏ယူနစ်ကိုစစ်ဆေးသေချာအောင်လုပ်ပါ။" 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: Asset Movement,Asset Movement,ပိုင်ဆိုင်မှုလပ်ြရြားမြ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,နယူးလှည်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,ရထားဘီး @@ -1848,7 +1851,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ဝယ်ယူခြင်းလက်ခံရရှိသည့်ရက်မှပစ္စည်းများ Get DocType: Serial No,Creation Date,ဖန်ဆင်းခြင်းနေ့စွဲ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},item {0} စျေးနှုန်းစာရင်း {1} အတွက်အကြိမ်ပေါင်းများစွာပုံပေါ် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","အကြောင်းမူကားသက်ဆိုင်သော {0} အဖြစ်ရွေးချယ်လျှင်ရောင်းချခြင်း, checked ရမည်" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","အကြောင်းမူကားသက်ဆိုင်သော {0} အဖြစ်ရွေးချယ်လျှင်ရောင်းချခြင်း, checked ရမည်" DocType: Production Plan Material Request,Material Request Date,ပစ္စည်းတောင်းဆိုမှုနေ့စွဲ DocType: Purchase Order Item,Supplier Quotation Item,ပေးသွင်းစျေးနှုန်း Item DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ထုတ်လုပ်မှုအမိန့်ဆန့်ကျင်အချိန်သစ်လုံး၏ဖန်ဆင်းခြင်းလုပ်မလုပ်။ စစ်ဆင်ရေးထုတ်လုပ်မှုကိုအမိန့်ဆန့်ကျင်ခြေရာခံလိမ့်မည်မဟုတ် @@ -1865,12 +1868,12 @@ DocType: Supplier,Supplier of Goods or Services.,ကုန်စည်သို DocType: Budget,Fiscal Year,ဘဏ္ဍာရေးနှစ် DocType: Vehicle Log,Fuel Price,လောင်စာစျေးနှုန်း DocType: Budget,Budget,ဘတ်ဂျက် -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုပစ္စည်း non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည်။ +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 +209,e.g. 5,ဥပမာ 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,သင်အရောင်းပြေစာကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။ @@ -1879,7 +1882,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,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ Item မာစတာ Check DocType: Maintenance Visit,Maintenance Time,ပြုပြင်ထိန်းသိမ်းမှုအချိန် ,Amount to Deliver,လှတျတျောမူရန်ငွေပမာဏ -apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှု +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 တစ်ခု @@ -1954,7 +1957,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,လင်မယား +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,လင်မယား apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 လိပ်စာနှင့်ဆက်သွယ်ရန် @@ -1973,10 +1976,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,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 +342,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည် +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 အကောင့်ကိုရှိရမည် DocType: Shipping Rule Condition,Shipping Amount,သဘောင်္တင်ခပမာဏ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Customer များ Add +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,ကယ်နှုတ်တော်မူ၏ @@ -1993,6 +1996,7 @@ DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန ,Supplier-Wise Sales Analytics,ပေးသွင်း-ပညာရှိအရောင်း Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Paid ငွေပမာဏကိုရိုက်ထည့် DocType: Salary Structure,Select employees for current Salary Structure,လက်ရှိလစာဖွဲ့စည်းပုံအဘို့န်ထမ်းကို Select လုပ်ပါ +DocType: Sales Invoice,Company Address Name,ကုမ္ပဏီလိပ်စာအမည် DocType: Production Order,Use Multi-Level BOM,Multi-Level BOM ကိုသုံးပါ DocType: Bank Reconciliation,Include Reconciled Entries,ပြန်. Entries Include DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","မိဘသင်တန်းအမှတ်စဥ် (ဒီမိဘသင်တန်း၏အစိတ်အပိုင်းမပါလျှင်, အလွတ် Leave)" @@ -2013,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 +269,Unit,ယူနစ် +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,သင်ပယ်ချပစ္စည်းများစတော့ရှယ်ယာကိုထိန်းသိမ်းရာဂိုဒေါင် @@ -2035,7 +2039,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရောင်းအမိန့်အရောင်းပြေစာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည် +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: အချိန်နှင့်ရန်အချိန် မှစ. မဖြစ်မနေဖြစ်ပါတယ်။ DocType: Stock Reconciliation Item,Amount Difference,ငွေပမာဏ Difference @@ -2044,7 +2048,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,ဒေသအားဖြင့် Customer များ၏ခွဲခြား apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ကွာခြားချက်ပမာဏသုညဖြစ်ရပါမည် DocType: Project,Gross Margin,gross Margin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,ထုတ်လုပ်မှု Item ပထမဦးဆုံးရိုက်ထည့်ပေးပါ +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 +748,Quotation,ကိုးကာချက် @@ -2056,7 +2060,7 @@ 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 များနှင့်အခြားသောအဓိကကျသည့်ကိစ္စများကို ** ** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဆန့်ကျင်ခြေရာခံထောက်လှမ်းနေကြပါတယ်။ DocType: Opportunity,Customer / Lead Address,customer / ခဲလိပ်စာ -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},သတိပေးချက်: attachment ကို {0} အပေါ်မမှန်ကန်ခြင်း SSL ကိုလက်မှတ်ကို +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},သတိပေးချက်: attachment ကို {0} အပေါ်မမှန်ကန်ခြင်း SSL ကိုလက်မှတ်ကို DocType: Student Admission,Eligibility,အရည်အချင်းများ apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ဦးဆောင်လမ်းပြသင့်ရဲ့ဆောင်အဖြစ်အားလုံးသင့်ရဲ့အဆက်အသွယ်နဲ့ပိုပြီး add, သင်စီးပွားရေးလုပ်ငန်း get ကူညီ" DocType: Production Order Operation,Actual Operation Time,အမှန်တကယ်စစ်ဆင်ရေးအချိန် @@ -2075,11 +2079,11 @@ DocType: Appraisal,Calculate Total Score,စုစုပေါင်းရမှ DocType: Request for Quotation,Manufacturing Manager,ကုန်ထုတ်လုပ်မှု Manager က apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},serial No {0} {1} ထိအာမခံအောက်မှာဖြစ်ပါတယ် apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,packages များသို့ Delivery Note ကို Split ။ -apps/erpnext/erpnext/hooks.py +87,Shipments,တင်ပို့ရောင်းချမှု +apps/erpnext/erpnext/hooks.py +94,Shipments,တင်ပို့ရောင်းချမှု DocType: Payment Entry,Total Allocated Amount (Company Currency),စုစုပေါင်းခွဲဝေငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) DocType: Purchase Order Item,To be delivered to customer,ဖောက်သည်မှကယ်နှုတ်တော်မူ၏ခံရဖို့ DocType: BOM,Scrap Material Cost,အပိုင်းအစပစ္စည်းကုန်ကျစရိတ် -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,serial မရှိပါ {0} ဆိုဂိုဒေါင်ပိုင်ပါဘူး +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,serial မရှိပါ {0} ဆိုဂိုဒေါင်ပိုင်ပါဘူး DocType: Purchase Invoice,In Words (Company Currency),စကား (ကုမ္ပဏီငွေကြေးစနစ်) တွင် DocType: Asset,Supplier,ကုန်သွင်းသူ DocType: C-Form,Quarter,လေးပုံတစ်ပုံ @@ -2094,11 +2098,10 @@ DocType: Leave Application,Total Leave Days,စုစုပေါင်းထွ DocType: Email Digest,Note: Email will not be sent to disabled users,မှတ်ချက်: အီးမေးလ်မသန်မစွမ်းအသုံးပြုသူများထံသို့စေလွှတ်လိမ့်မည်မဟုတ်ပေ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Interaction အရေအတွက် apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Interaction အရေအတွက် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် 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 +408,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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 ကျေးဇူးပြု." @@ -2142,7 +2145,8 @@ 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,စီအီးအို DocType: Expense Claim Detail,Expense Claim Detail,စရိတ်တောင်းဆိုမှုများ Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,မှန်ကန်သောအကောင့်ကို select လုပ်ပါ ကျေးဇူးပြု. +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ပေးသွင်းသူများအတွက် TRIPLICATE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,မှန်ကန်သောအကောင့်ကို select လုပ်ပါ ကျေးဇူးပြု. DocType: Item,Weight UOM,အလေးချိန် UOM DocType: Salary Structure Employee,Salary Structure Employee,လစာဖွဲ့စည်းပုံထမ်း DocType: Employee,Blood Group,လူအသွေး Group က @@ -2164,7 +2168,7 @@ DocType: Student,Guardians,အုပ်ထိန်းသူများ 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 +336,Debit To is required,debit ရန်လိုအပ်သည် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2177,7 +2181,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},စုစုပေ DocType: BOM Website Operation,BOM Website Operation,BOM ဝက်ဘ်ဆိုက်စစ်ဆင်ရေး apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ကမ်းလှမ်းမှုကိုပေးစာ apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ပစ္စည်းတောင်းဆို (MRP) နှင့်ထုတ်လုပ်မှုအမိန့် Generate ။ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,စုစုပေါင်းငွေတောင်းခံလွှာ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,စုစုပေါင်းငွေတောင်းခံလွှာ Amt DocType: BOM,Conversion Rate,ပြောင်းလဲမှုနှုန်း apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ကုန်ပစ္စည်းရှာရန် DocType: Timesheet Detail,To Time,အချိန်မှ @@ -2192,7 +2196,7 @@ 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 'ကိုသုံးပါ" DocType: Training Event Employee,Training Event Employee,လေ့ကျင့်ရေးပွဲထမ်း -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,Item {1} များအတွက်လိုအပ်သော {0} Serial Number ။ သငျသညျ {2} ထောက်ပံ့ကြပါပြီ။ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,Item {1} များအတွက်လိုအပ်သော {0} Serial Number ။ သငျသညျ {2} ထောက်ပံ့ကြပါပြီ။ DocType: Stock Reconciliation Item,Current Valuation Rate,လက်ရှိအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate DocType: Item,Customer Item Codes,customer Item ကုဒ်တွေဟာ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ချိန်း Gain / ပျောက်ဆုံးခြင်း @@ -2240,7 +2244,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 +2454,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,ကြိုတင်ငွေပမာဏ @@ -2264,19 +2268,19 @@ DocType: Leave Block List,Allow Users,Allow အသုံးပြုသူမျ DocType: Purchase Order,Customer Mobile No,ဖောက်သည်ကို Mobile မရှိပါ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ထုတ်ကုန် Vertical သို့မဟုတ်ကွဲပြားမှုသည်သီးခြားဝင်ငွေနှင့်သုံးစွဲမှုပြထားသည်။ DocType: Rename Tool,Rename Tool,Tool ကို Rename -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update ကိုကုန်ကျစရိတ် +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 +438,Show Salary Slip,Show ကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,အခွန် Add +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,ဘတ်ဂျက်အကောင့် @@ -2287,6 +2291,7 @@ DocType: Stock Entry,Purchase Receipt No,ဝယ်ယူခြင်းပြေ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,စားရန်ဖြစ်တော်မူ၏ငွေ DocType: Process Payroll,Create Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Create apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / sac Code ကို 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,လုပ်သား @@ -2316,7 +2321,7 @@ DocType: Employee Education,Post Graduate,Post ကိုဘွဲ့လွန် DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,ပြုပြင်ထိန်းသိမ်းမှုဇယား Detail DocType: Quality Inspection Reading,Reading 9,9 Reading DocType: Supplier,Is Frozen,Frozen ဖြစ်ပါသည် -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Group က node ကိုဂိုဒေါင်ငွေကြေးလွှဲပြောင်းမှုမှာအဘို့ကိုရွေးဖို့ခွင့်ပြုမထားဘူး +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Group က node ကိုဂိုဒေါင်ငွေကြေးလွှဲပြောင်းမှုမှာအဘို့ကိုရွေးဖို့ခွင့်ပြုမထားဘူး DocType: Buying Settings,Buying Settings,Settings ကိုဝယ်ယူ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,တစ် Finished ကောင်း Item သည် BOM အမှတ် DocType: Upload Attendance,Attendance To Date,နေ့စွဲရန်တက်ရောက် @@ -2332,13 +2337,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.,သင်အမှန်တကယ်ဒီကုမ္ပဏီပေါင်းသည်တလုံးငွေကြေးလွှဲပြောင်းပယ်ဖျက်လိုသေချာအောင်လေ့လာပါ။ ထိုသို့အဖြစ်သင်၏သခင်ဒေတာဖြစ်နေလိမ့်မယ်။ ဤ 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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။" +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM ဆိုတဲ့ item agianst ဖော်ပြခဲ့သောဆိုရင်နှုန်းကိုမပြောင်းနိုင်ပါ +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,ပမာဏများအတွက် apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},အတန်းမှာ Item {0} သည်စီစဉ်ထားသော Qty ကိုရိုက်သွင်းပါ {1} @@ -2360,7 +2365,7 @@ DocType: Authorization Rule,Authorized Value,Authorized Value ကို DocType: BOM,Show Operations,Show ကိုစစ်ဆင်ရေး ,Minutes to First Response for Opportunity,အခွင့်အလမ်းများအတွက်ပထမဦးဆုံးတုံ့ပြန်မှုမှမိနစ် apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,စုစုပေါင်းပျက်ကွက် -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,တိုင်း၏ယူနစ် DocType: Fiscal Year,Year End Date,တစ်နှစ်တာအဆုံးနေ့စွဲ DocType: Task Depends On,Task Depends On,Task အပေါ်မူတည် @@ -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},Created ကြေး Records ကို - {0} DocType: Asset Category Account,Asset Category Account,ပိုင်ဆိုင်မှုအမျိုးအစားအကောင့် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +106,Cannot produce more Item {0} than Sales Order quantity {1},အရောင်းအမိန့်အရေအတွက် {1} ထက်ပိုပစ္စည်း {0} မထုတ်လုပ်နိုင်သ +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/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 ကိုဆက်သွယ်ပါအားဖြင့်ခဲအီးမေးလ်လိပ်စာအတိုင်းအတူတူမဖွစျနိုငျ @@ -2530,9 +2535,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,ကုန်ကျစရိတ် Center က apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,ဘောက်ချာ # DocType: Notification Control,Purchase Order Message,အမိန့် Message ယ်ယူ @@ -2548,7 +2553,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 +1165,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 ကို @@ -2567,7 +2572,7 @@ DocType: Project,Task Completion,task ကိုပြီးမြောက်ခ apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,မစတော့အိတ်အတွက် DocType: Appraisal,HR User,HR အသုံးပြုသူတို့၏ DocType: Purchase Invoice,Taxes and Charges Deducted,အခွန်နှင့်စွပ်စွဲချက်နုတ်ယူ -apps/erpnext/erpnext/hooks.py +116,Issues,အရေးကိစ္စများ +apps/erpnext/erpnext/hooks.py +124,Issues,အရေးကိစ္စများ apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},အဆင့်အတန်း {0} တယောက်ဖြစ်ရပါမည် DocType: Sales Invoice,Debit To,debit ရန် DocType: Delivery Note,Required only for sample item.,သာနမူနာကို item လိုအပ်သည်။ @@ -2596,6 +2601,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,နယျမွေ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,လိုအပ်သောလာရောက်လည်ပတ်သူမျှဖော်ပြထားခြင်း ကျေးဇူးပြု. DocType: Stock Settings,Default Valuation Method,default အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နည်းနိဿယ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ကြေး DocType: Vehicle Log,Fuel Qty,လောင်စာအရည်အတွက် DocType: Production Order Operation,Planned Start Time,စီစဉ်ထား Start ကိုအချိန် DocType: Course,Assessment,အကဲဖြတ် @@ -2605,12 +2611,12 @@ 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 +149,Quotation {0} is cancelled,စျေးနှုန်း {0} ဖျက်သိမ်းလိုက် -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,စုစုပေါင်းထူးချွန်ငွေပမာဏ +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 ကိုမဟာ DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,အားလုံးသည်အရောင်းငွေကြေးကိစ္စရှင်းလင်းမှုမျိုးစုံ ** အရောင်း Persons ဆန့်ကျင် tagged နိုင်ပါတယ် ** သင်ပစ်မှတ် ထား. စောင့်ကြည့်နိုင်အောင်။ ,S.O. No.,SO အမှတ် -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},ခဲထံမှ {0} ဖောက်သည်ဖန်တီး ကျေးဇူးပြု. +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},ခဲထံမှ {0} ဖောက်သည်ဖန်တီး ကျေးဇူးပြု. DocType: Price List,Applicable for Countries,နိုင်ငံများအဘို့သက်ဆိုင်သော apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,'' Approved 'နဲ့' ငြင်းပယ် '' တင်သွင်းနိုင်ပါသည် status ကိုအတူ Applications ကိုသာလျှင် Leave apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},ကျောင်းသားအုပ်စုအမည်အတန်း {0} အတွက်မဖြစ်မနေဖြစ်ပါသည် @@ -2648,6 +2654,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/config/hr.py +163,Define various loan types,အမျိုးမျိုးသောချေးငွေအမျိုးအစားများကိုသတ်မှတ် DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,ထူးချွန်ငွေပမာဏ @@ -2690,8 +2697,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Manufacturing သည် 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.,လျော့စျေးရာခိုင်နှုန်းတစ်စျေးနှုန်း List ကိုဆန့်ကျင်သို့မဟုတ်အားလုံးစျေးနှုန်းစာရင်းများအတွက်လည်းကောင်းလျှောက်ထားနိုင်ပါသည်။ DocType: Purchase Invoice,Half-yearly,ဝက်နှစ်စဉ် apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry ' +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,သငျသညျပြီးသား {} အဆိုပါအကဲဖြတ်သတ်မှတ်ချက်အဘို့အအကဲဖြတ်ပါပြီ။ DocType: Vehicle Service,Engine Oil,အင်ဂျင်ပါဝါရေနံ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings DocType: Sales Invoice,Sales Team1,အရောင်း Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,item {0} မတည်ရှိပါဘူး DocType: Sales Invoice,Customer Address,customer လိပ်စာ @@ -2719,7 +2726,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,အဖွဲ့ပိုင်ငွေစာရင်း၏သီးခြားဇယားနှင့်အတူဥပဒေကြောင်းအရ Entity / လုပ်ငန်းခွဲများ။ DocType: Payment Request,Mute Email,အသံတိတ်အီးမေးလ် apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","အစားအစာ, Beverage & ဆေးရွက်ကြီး" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ် +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ် apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ကော်မရှင်နှုန်းက 100 မှာထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ပထမဦးဆုံး {0} မဝင်ရ ကျေးဇူးပြု. @@ -2747,7 +2754,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,ကျောင်းသားသမဂ္ဂလစဉ်တက်ရောက်စာရွက် apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ဝန်ထမ်း {0} ပြီးသား {1} {2} နှင့် {3} အကြားလျှောက်ထားခဲ့သည် apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project မှ Start ကိုနေ့စွဲ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,တိုငျအောငျ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,တိုငျအောငျ DocType: Rename Tool,Rename Log,အထဲ Rename apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,ကျောင်းသားအုပ်စုသို့မဟုတ်သင်တန်းအမှတ်စဥ်ဇယားမဖြစ်မနေဖြစ်ပါသည် apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,ကျောင်းသားအုပ်စုသို့မဟုတ်သင်တန်းအမှတ်စဥ်ဇယားမဖြစ်မနေဖြစ်ပါသည် @@ -2772,7 +2779,7 @@ DocType: Purchase Order Item,Returned Qty,ပြန်လာသော Qty DocType: Employee,Exit,ထွက်ပေါက် apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,အမြစ်ကအမျိုးအစားမသင်မနေရ DocType: BOM,Total Cost(Company Currency),စုစုပေါင်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,serial No {0} နေသူများကဖန်တီး +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,serial No {0} နေသူများကဖန်တီး DocType: Homepage,Company Description for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ကုမ္ပဏီဖျေါပွခကျြ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",ဖောက်သည်များအဆင်ပြေဤ codes တွေကိုငွေတောင်းခံလွှာနှင့် Delivery မှတ်စုများတူပုံနှိပ်ပုံစံများဖြင့်အသုံးပြုနိုင် apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier အမည် @@ -2793,7 +2800,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS ကို Gateway က URL ကို apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,သင်တန်းအချိန်ဇယားကိုဖျက်လိုက်ပါ: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS ပေးပို့အဆင့်အတန်းကိုထိန်းသိမ်းသည် logs DocType: Accounts Settings,Make Payment via Journal Entry,ဂျာနယ် Entry မှတဆင့်ငွေပေးချေမှုရမည့် Make -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,တွင်ပုံနှိပ် +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,တွင်ပုံနှိပ် DocType: Item,Inspection Required before Delivery,ဖြန့်ဝေမီကတောင်းဆိုနေတဲ့စစ်ဆေးရေး DocType: Item,Inspection Required before Purchase,အရစ်ကျမီကတောင်းဆိုနေတဲ့စစ်ဆေးရေး apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ဆိုင်းငံ့ထားလှုပ်ရှားမှုများ @@ -2825,9 +2832,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ကျေ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ကန့်သတ်ဖြတ်ကူး apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,အကျိုးတူ 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.,ဒီ '' ပညာရေးတစ်နှစ်တာ '' {0} နှင့် {1} ပြီးသားတည်ရှိ '' Term အမည် '' နှင့်အတူတစ်ဦးပညာသင်နှစ်သက်တမ်း။ ဤအ entries တွေကိုပြုပြင်မွမ်းမံခြင်းနှင့်ထပ်ကြိုးစားပါ။ -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ကို item {0} ဆန့်ကျင်တည်ဆဲအရောင်းအရှိဖြစ်သကဲ့သို့, သင်က {1} ၏တန်ဖိုးမပြောင်းနိုင်ပါ" +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}","ကို item {0} ဆန့်ကျင်တည်ဆဲအရောင်းအရှိဖြစ်သကဲ့သို့, သင်က {1} ၏တန်ဖိုးမပြောင်းနိုင်ပါ" DocType: UOM,Must be Whole Number,လုံးနံပါတ်ဖြစ်ရမည် DocType: Leave Control Panel,New Leaves Allocated (In Days),(Days ခုနှစ်တွင်) ခွဲဝေနယူးရွက် +DocType: Sales Invoice,Invoice Copy,ငွေတောင်းခံလွှာကိုကူးယူပြီး apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,serial No {0} မတည်ရှိပါဘူး DocType: Sales Invoice Item,Customer Warehouse (Optional),ဖောက်သည်ဂိုဒေါင် (Optional) DocType: Pricing Rule,Discount Percentage,လျော့စျေးရာခိုင်နှုန်း @@ -2873,8 +2881,10 @@ 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 +305,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,စုဆောင်းတန်ဖိုးအကောင့် DocType: Stock Settings,Freeze Stock Entries,အေးစတော့အိတ် Entries +DocType: Program Enrollment,Boarding Student,boarding ကျောင်းသား DocType: Asset,Expected Value After Useful Life,အသုံးဝင်သောဘဝပြီးနောက်မျှော်လင့်ထား Value တစ်ခု DocType: Item,Reorder level based on Warehouse,ဂိုဒေါင်အပေါ်အခြေခံပြီး reorder level ကို DocType: Activity Cost,Billing Rate,ငွေတောင်းခံ Rate @@ -2902,11 +2912,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ယင်းလုပ်ဆောင်ချက်ကိုအခြေခံပြီး Group မှအဘို့ကို manually ကျောင်းသားများကိုကို Select လုပ်ပါ DocType: Journal Entry,User Remark,အသုံးပြုသူမှတ်ချက် DocType: Lead,Market Segment,Market မှာအပိုင်း -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Paid ငွေပမာဏစုစုပေါင်းအနုတ်ထူးချွန်ငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Paid ငွေပမာဏစုစုပေါင်းအနုတ်ထူးချွန်ငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Employee Internal Work History,Employee Internal Work History,ဝန်ထမ်းပြည်တွင်းလုပ်ငန်းခွင်သမိုင်း apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),(ဒေါက်တာ) ပိတ်ပွဲ DocType: Cheque Print Template,Cheque Size,Cheque တစ်စောင်လျှင် Size ကို -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,{0} မစတော့ရှယ်ယာအတွက် serial No +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,{0} မစတော့ရှယ်ယာအတွက် serial No apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,အရောင်းအရောင်းချနေသည်အခွန် Simple template ။ DocType: Sales Invoice,Write Off Outstanding Amount,ထူးချွန်ငွေပမာဏပိတ်ရေးထား apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},အကောင့် {0} {1} ကုမ္ပဏီနှင့်အတူမကိုက်ညီ @@ -2931,7 +2941,7 @@ 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 +348,Add a few sample records,အနည်းငယ်နမူနာမှတ်တမ်းများ Add +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,အပြည့်အဝကိုကယ်နှုတ် @@ -2945,17 +2955,17 @@ 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,စတော့အိတ် Qty စီမံကိန်း -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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 ရဲ့အမိန့်ကိုဝယ်ယူ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,serial ဘယ်သူမျှမကနှင့်အသုတ်လိုက် DocType: Warranty Claim,From Company,ကုမ္ပဏီအနေဖြင့် -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,အကဲဖြတ်လိုအပ်ချက်များ၏ရမှတ်များပေါင်းလဒ် {0} ဖြစ်ရန်လိုအပ်ပါသည်။ +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,အကဲဖြတ်လိုအပ်ချက်များ၏ရမှတ်များပေါင်းလဒ် {0} ဖြစ်ရန်လိုအပ်ပါသည်။ 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 +270,Minute,မိနစ် +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,မိနစ် DocType: Purchase Invoice,Purchase Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်ယ်ယူ ,Qty to Receive,လက်ခံမှ Qty DocType: Leave Block List,Leave Block List Allowed,Block List ကို Allowed Leave @@ -2976,7 +2986,7 @@ DocType: Production Order,PRO-,လုံးတွင် apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ဘဏ်မှ Overdraft အကောင့် apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံလုပ်ပါ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,အတန်း # {0}: ခွဲဝေငွေပမာဏထူးချွန်ငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်ပါ။ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse ကို BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Browse ကို BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,လုံခြုံသောချေးငွေ DocType: Purchase Invoice,Edit Posting Date and Time,Edit ကို Post date နှင့်အချိန် apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ပိုင်ဆိုင်မှုအမျိုးအစား {0} သို့မဟုတ်ကုမ္ပဏီ {1} အတွက်တန်ဖိုးနှင့်ဆက်စပ်သော Accounts ကိုသတ်မှတ်ထားပေးပါ @@ -2992,7 +3002,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 +278,Select Quantity,ပမာဏကိုရွေးပါ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 မဂ္ဂဇင်းထဲကနေနှုတ်ထွက် @@ -3015,6 +3025,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},{0} ထက်အသက်အရွယ်ကြီးစတော့ရှယ်ယာအရောင်းအ update လုပ်ဖို့ခွင့်မပြု DocType: Purchase Invoice Item,PR Detail,PR စနစ် Detail DocType: Sales Order,Fully Billed,အပြည့်အဝကြေညာ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား 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 +127,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),အထုပ်၏စုစုပေါင်းအလေးချိန်။ ပိုက်ကွန်ကိုအလေးချိန် + ထုပ်ပိုးပစ္စည်းအလေးချိန်များသောအားဖြင့်။ (ပုံနှိပ်သည်) @@ -3053,8 +3064,9 @@ 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} တင်သွင်းသည်မဟုတ် DocType: Customs Tariff Number,Tariff Number,အခွန်နံပါတ် +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP ဂိုဒေါင်မှာမရရှိနိုင်အရည်အတွက် apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,စီမံကိန်း -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},serial No {0} ဂိုဒေါင် {1} ပိုင်ပါဘူး +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},serial No {0} ဂိုဒေါင် {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,မှတ်ချက်: System ကို Item သည်ပို့ဆောင်မှု-ထပ်ခါထပ်ခါ-ဘွတ်ကင်စစ်ဆေးမည်မဟုတ် {0} အရေအတွက်သို့မဟုတ်ပမာဏပါ 0 င်သည်အဖြစ် DocType: Notification Control,Quotation Message,စျေးနှုန်း Message DocType: Employee Loan,Employee Loan Application,ဝန်ထမ်းချေးငွေလျှောက်လွှာ @@ -3073,13 +3085,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ကုန်ကျစရိတ်ဘောက်ချာငွေပမာဏဆင်းသက် apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ပေးသွင်းခြင်းဖြင့်ကြီးပြင်းဥပဒေကြမ်းများ။ DocType: POS Profile,Write Off Account,အကောင့်ပိတ်ရေးထား -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,debit မှတ်ချက် Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,debit မှတ်ချက် Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,လျော့စျေးပမာဏ 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 +207,e.g. VAT,ဥပမာ VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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-စာချုပ်ကိုချုပ်ဆို @@ -3087,7 +3099,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 +1945,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး DocType: C-Form,I,ငါ DocType: Company,Asset Depreciation Cost Center,ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ DocType: Sales Order Item,Sales Order Date,အရောင်းအမှာစာနေ့စွဲ @@ -3116,7 +3128,7 @@ DocType: Lead,Address Desc,Desc လိပ်စာ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ပါတီမဖြစ်မနေဖြစ်ပါသည် DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ခေါင်းစဉ်အမည် -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,ရောင်းစျေးသို့မဟုတ်ဝယ်ယူ၏ Atleast တယောက်ရွေးချယ်ထားရမည်ဖြစ်သည် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,ရောင်းစျေးသို့မဟုတ်ဝယ်ယူ၏ Atleast တယောက်ရွေးချယ်ထားရမည်ဖြစ်သည် apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,သင့်ရဲ့စီးပွားရေးလုပ်ငန်း၏သဘောသဘာဝကို Select လုပ်ပါ။ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},အတန်း # {0}: ကိုးကား {1} {2} အတွက်မိတ္တူပွား entry ကို apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,အဘယ်မှာရှိကုန်ထုတ်လုပ်မှုလုပ်ငန်းများကိုသယ်ဆောင်ကြသည်။ @@ -3125,7 +3137,7 @@ 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} ပိုင်ပါဘူး DocType: Employee,Confirmation Date,အတည်ပြုချက်နေ့စွဲ DocType: C-Form,Total Invoiced Amount,စုစုပေါင်း Invoiced ငွေပမာဏ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,min Qty Max Qty ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,min Qty Max Qty ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ DocType: Account,Accumulated Depreciation,စုဆောင်းတန်ဖိုး DocType: Stock Entry,Customer or Supplier Details,customer သို့မဟုတ်ပေးသွင်း Details ကို DocType: Employee Loan Application,Required by Date,နေ့စွဲခြင်းဖြင့်တောင်းဆိုနေတဲ့ @@ -3154,10 +3166,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ဝယ်ယ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ကုမ္ပဏီအမည် Company ကိုမဖွစျနိုငျ apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ပုံနှိပ်တင်းပလိတ်များအဘို့အပေးစာခေါင်းဆောင်များ။ apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ပုံနှိပ်တင်းပလိတ်များသည်ခေါင်းစဉ်များငွေလွှဲစာတမ်းတန်ဖိုးပြေစာဥပမာ။ +DocType: Program Enrollment,Walking,လမ်းလျှောက် DocType: Student Guardian,Student Guardian,ကျောင်းသားသမဂ္ဂဂါးဒီးယန်း apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,အဘိုးပြတ်သည်အတိုင်း type ကိုစွဲချက် Inclusive အဖြစ်မှတ်သားမရပါဘူး DocType: POS Profile,Update Stock,စတော့အိတ် Update -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ပစ္စည်းများသည်ကွဲပြားခြားနားသော UOM မမှန်ကန် (Total) Net ကအလေးချိန်တန်ဖိုးကိုဆီသို့ဦးတည်ပါလိမ့်မယ်။ အသီးအသီးကို item ၏ Net ကအလေးချိန်တူညီ UOM အတွက်ကြောင်းသေချာပါစေ။ apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,အပိုင်းအစအဘို့အဂျာနယ် Entry ' @@ -3211,7 +3223,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Show ကိုအခွန်ချိုး-up က apps/erpnext/erpnext/accounts/party.py +308,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 ဘယ်သူမျှမက @@ -3231,14 +3242,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,default ငွေအကောင့် 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,မကျောင်းသားများ +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 +108,Please enter 'Expected Delivery Date','' မျှော်မှန်း Delivery Date ကို '' ကိုရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,မှားနေသော GSTIN သို့မဟုတ်မှတ်ပုံမတင်ထားသောများအတွက် NA Enter +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3279,23 @@ DocType: Sales Team,Contribution (%),contribution (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,မှတ်ချက်: '' ငွေသို့မဟုတ်ဘဏ်မှအကောင့် '' သတ်မှတ်ထားသောမဟုတ်ခဲ့ကတည်းကငွေပေးချေမှုရမည့် Entry နေသူများကဖန်တီးမည်မဟုတ် apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,တာဝန်ဝတ္တရားများ DocType: Expense Claim Account,Expense Claim Account,စရိတ်တိုင်ကြားအကောင့် +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: Sales Person,Sales Person Name,အရောင်းပုဂ္ဂိုလ်အမည် apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,table ထဲမှာ atleast 1 ငွေတောင်းခံလွှာကိုရိုက်ထည့်ပေးပါ +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,အသုံးပြုသူများအ Add DocType: POS Item Group,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.,တစ်ဦး task အတွက်တိုးတက်ရေးပါတီ% 100 ကျော်မဖြစ်နိုင်ပါ။ DocType: Stock Reconciliation Item,Before reconciliation,ပြန်လည်သင့်မြတ်ရေးမဖြစ်မီ apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} မှ DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Added အခွန်အခများနှင့်စွပ်စွဲချက် (ကုမ္ပဏီငွေကြေးစနစ်) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,item ခွန် Row {0} type ကိုခွန်သို့မဟုတ်ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုသို့မဟုတ်နှော၏အကောင့်ကိုရှိရမယ် +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,item ခွန် Row {0} type ကိုခွန်သို့မဟုတ်ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုသို့မဟုတ်နှော၏အကောင့်ကိုရှိရမယ် DocType: Sales Order,Partly Billed,တစ်စိတ်တစ်ပိုင်းကြေညာ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,item {0} တစ် Fixed Asset item ဖြစ်ရပါမည် DocType: Item,Default BOM,default BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,debit မှတ်ချက်ငွေပမာဏ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,debit မှတ်ချက်ငွေပမာဏ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,အတည်ပြုရန်ကုမ္ပဏီ၏နာမ-type ကိုပြန်လည် ကျေးဇူးပြု. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,စုစုပေါင်းထူးချွန် Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,စုစုပေါင်းထူးချွန် Amt DocType: Journal Entry,Printing Settings,ပုံနှိပ်ခြင်းက Settings DocType: Sales Invoice,Include Payment (POS),ငွေပေးချေမှုရမည့် (POS) Include apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},စုစုပေါင်း Debit စုစုပေါင်းချေးငွေတန်းတူဖြစ်ရမည်။ အဆိုပါခြားနားချက် {0} သည် @@ -3290,20 +3303,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,မေ DocType: Vehicle,Insurance Company,အာမခံကုမ္ပဏီ DocType: Asset Category Account,Fixed Asset Account,Fixed Asset အကောင့် apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,ပွောငျးလဲတတျသော -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Delivery မှတ်ချက်ထံမှ +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Delivery မှတ်ချက်ထံမှ DocType: Student,Student Email Address,ကျောင်းသားအီးမေးလ်လိပ်စာ DocType: Timesheet Detail,From Time,အချိန်ကနေ apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ကုန်ပစ္စည်းလက်ဝယ်ရှိ: DocType: Notification Control,Custom Message,custom Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ရင်းနှီးမြှုပ်နှံမှုဘဏ်လုပ်ငန်း apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ငွေသားသို့မဟုတ်ဘဏ်မှအကောင့်ငွေပေးချေမှု entry ကိုအောင်သည်မသင်မနေရ -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ကျောင်းသားလိပ်စာ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ကျောင်းသားလိပ်စာ 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 +1517,Address Name,လိပ်စာအမည် +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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,အခြေခံပညာ @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +772,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,လစဉ်ပြန်ဆပ်ငွေပမာဏချေးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ @@ -3328,7 +3340,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,ကျောင်းသားသမဂ္ဂပြီးသားစာရင်းသွင်းသည်။ @@ -3337,7 +3349,7 @@ DocType: Process Payroll,Process Payroll,Process ကိုလစာ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,ယခုလအလုပ်လုပ်ရက်ပတ်လုံးထက်ပိုပြီးအားလပ်ရက်ရှိပါသည်။ DocType: Product Bundle Item,Product Bundle Item,ထုတ်ကုန်ပစ္စည်း Bundle ကို Item DocType: Sales Partner,Sales Partner Name,အရောင်း Partner အမည် -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,ကိုးကားချက်များတောင်းခံ +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,ကိုးကားချက်များတောင်းခံ DocType: Payment Reconciliation,Maximum Invoice Amount,အမြင့်ဆုံးပမာဏပြေစာ DocType: Student Language,Student Language,ကျောင်းသားဘာသာစကားများ apps/erpnext/erpnext/config/selling.py +23,Customers,Customer များ @@ -3348,7 +3360,7 @@ DocType: Asset,Partially Depreciated,တစ်စိတ်တစ်ပိုင DocType: Issue,Opening Time,အချိန်ဖွင့်လှစ် apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ကနေနှင့်လိုအပ်သည့်ရက်စွဲများရန် apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities မှ & ကုန်စည်ဒိုင် -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ '' {0} '' Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် '' {1} '' +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 +847,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ @@ -3367,7 +3379,7 @@ 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 +266,Raw Material,ကုန်ကြမ်း +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,လျှော့ငွေပမာဏပြီးနောက်အခွန်ပမာဏ @@ -3379,7 +3391,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,နေ့စွဲဖွင့်လှစ်နေ့စွဲပိတ်ပြီးမတိုင်မှီဖြစ်သင့် -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: 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.,အားလပ်ရက်ဒီဌာနကိုပိတ်ဆို့ထားသောနေ့ရကျ။ @@ -3392,8 +3403,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏သောအခါအနှိမ်မချနိုင် -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Item {0} သည် serial အမှတ်လိုအပ်ပါသည် +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/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,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ DocType: Journal Entry,Bank Entry,ဘဏ်မှ Entry ' DocType: Authorization Rule,Applicable To (Designation),(သတ်မှတ်ပေးထားခြင်း) ရန်သက်ဆိုင်သော @@ -3410,7 +3421,7 @@ 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 +270,Hour,နာရီ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 ကိုနေ့အပေါ်အရွက်အတည်ပြုခွင့်ကြသည်မဟုတ် @@ -3420,7 +3431,7 @@ 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 +645,Point of Sale,ရောင်းမည်၏ပွိုင့် +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3437,8 +3448,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 +270,Gram,ဂရမ် -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။ +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/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% ဖြစ်ပါတယ်။ @@ -3464,14 +3475,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 +465,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ +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 မှတ်ချက်နှင့်အတူမကိုက်ညီ DocType: Student,Guardian Details,ဂါးဒီးယန်းအသေးစိတ် DocType: C-Form,C-Form,C-Form တွင် apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,မျိုးစုံန်ထမ်းများအတွက်မာကုတက်ရောက် @@ -3503,7 +3514,7 @@ 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 +436,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,ငွေတောင်းခံပြည်နယ် @@ -3551,7 +3562,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},မှားနေသော attribute ကို {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','' အားလုံးအကဲဖြတ်အဖွဲ့များ '' ထက်အခြားအကဲဖြတ်အဖွဲ့ကို select လုပ်ပါ ကျေးဇူးပြု. @@ -3653,16 +3664,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,လစာ Components DocType: Program Enrollment Tool,New Academic Year,နယူးပညာရေးဆိုင်ရာတစ်နှစ်တာ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ပြန်သွား / ခရက်ဒစ်မှတ်ချက် DocType: Stock Settings,Auto insert Price List rate if missing,auto INSERT စျေးနှုန်းကိုစာရင်းနှုန်းကပျောက်ဆုံးနေဆဲလျှင် -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,စုစုပေါင်း Paid ငွေပမာဏ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,စုစုပေါင်း Paid ငွေပမာဏ DocType: Production Order Item,Transferred Qty,လွှဲပြောင်း Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigator 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 +272,We sell this Item,ကျွန်ုပ်တို့သည်ဤ Item ရောင်းချ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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,ဝက်နေ့နေ့စွဲ @@ -3710,7 +3723,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 +1186,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ DocType: Pricing Rule,Buying,ဝယ် DocType: HR Settings,Employee Records to be created by,အသုံးပြုနေသူများကဖန်တီးခံရဖို့ဝန်ထမ်းမှတ်တမ်း DocType: POS Profile,Apply Discount On,လျှော့တွင် Apply @@ -3727,13 +3740,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,အခကြေးငွေများစုဆောင်း DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} ပြီးသား Item {1} များတွင်အသုံးပြု +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} ပြီးသား Item {1} များတွင်အသုံးပြု DocType: Lead,Add to calendar on this date,ဒီနေ့စွဲအပေါ်ပြက္ခဒိန်မှ Add apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,သင်္ဘောစရိတ်ပေါင်းထည့်သည်နည်းဥပဒေများ။ DocType: Item,Opening Stock,စတော့အိတ်ဖွင့်လှစ် apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,customer လိုအပ်သည် apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} သို့ပြန်သွားသည်တွေအတွက်မဖြစ်မနေဖြစ်ပါသည် DocType: Purchase Order,To Receive,လက်ခံမှ +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,ပုဂ္ဂိုလ်ရေးအီးမေးလ် apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,စုစုပေါင်းကှဲလှဲ DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","enabled လျှင်, system ကိုအလိုအလျှောက်စာရင်းသည်စာရင်းကိုင် entries တွေကို post လိမ့်မည်။" @@ -3744,7 +3758,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 +541,POS Profile required to make POS Entry,POS Entry 'ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,စံရောင်းချသည့် @@ -3752,7 +3766,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,အာမခံထဲက DocType: BOM Replace Tool,Replace,အစားထိုးဖို့ apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,အဘယ်သူမျှမထုတ်ကုန်တွေ့ရှိခဲ့ပါတယ်။ -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} အရောင်းပြေစာ {1} ဆန့်ကျင် DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,စီမံကိန်းအမည် @@ -3763,6 +3776,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} ခဲ့ 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} များသို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး @@ -3800,9 +3814,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Range ထဲထဲကနေ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},ဖော်မြူလာသို့မဟုတ်အခြေအနေ syntax အမှား: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily သတင်းစာလုပ်ငန်းခွင်အနှစ်ချုပ်က Settings ကုမ္ပဏီ -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,ကစတော့ရှယ်ယာကို item မဟုတ်ပါဘူးကတည်းက item {0} လျစ်လျူရှု +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 +40,Submit this Production Order for further processing.,နောက်ထပ် processing အဘို့ဤထုတ်လုပ်မှုအမိန့် Submit ။ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ဂျော့ဘ် @@ -3810,12 +3824,14 @@ 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 +209,Rate (%),rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',အုပ်စုအားဖြင့် '' ကုမ္ပဏီ '' လျှင်အလွတ် filter ကုမ္ပဏီသတ်မှတ်ပေးပါ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Post date အနာဂတ်နေ့စွဲမဖွစျနိုငျ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},row # {0}: Serial မရှိပါ {1} {2} {3} နှင့်ကိုက်ညီမပါဘူး apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ကျပန်းထွက်ခွာ @@ -3844,7 +3860,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,စတော့အိတ်လယ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ စစ်ကြောင်းအလွတ်ရှိရမည် +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 ကိုမဟုတ်ပါဘူး။ စစ်ကြောင်းအလွတ်ရှိရမည် DocType: Accounts Settings,Accounts Settings,Settings ကိုအကောင့် apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,အတည်ပြု DocType: Customer,Sales Partner and Commission,အရောင်း partner နှင့်ကော်မရှင်မှ @@ -3859,7 +3875,7 @@ 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 +62,{0} items produced,ထုတ်လုပ် {0} ပစ္စည်းများ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,ပြန်လာ @@ -3873,7 +3889,7 @@ 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} တန်းတူဖြစ်သင့် DocType: Journal Entry Account,Exchange Rate,ငွေလဲလှယ်နှုန်း -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,ရေယာဉ်စုစီမံခန့်ခွဲမှု @@ -3898,18 +3914,18 @@ 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 +705,Online,အွန်လိုင်း +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ကိုပိတ်ထားသည် DocType: Employee Loan,Repay Fixed Amount per Period,ကာလနှုန်း Fixed ငွေပမာဏပြန်ဆပ် apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Item {0} သည်အရေအတွက်ရိုက်ထည့်ပေးပါ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,credit မှတ်ချက် Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,credit မှတ်ချက် Amt DocType: Employee External Work History,Employee External Work History,ဝန်ထမ်းပြင်ပလုပ်ငန်းခွင်သမိုင်း DocType: Tax Rule,Purchase,ဝယ်ခြမ်း apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ချိန်ခွင် Qty @@ -3935,7 +3951,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 +2383,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ DocType: Employee,Encashment Date,Encashment နေ့စွဲ DocType: Training Event,Internet,အင်တာနက်ကို DocType: Account,Stock Adjustment,စတော့အိတ် Adjustments @@ -3965,6 +3981,7 @@ DocType: Guardian,Guardian Of ,၏ဂါးဒီးယန်း DocType: Grading Scale Interval,Threshold,တံခါးဝ DocType: BOM Replace Tool,Current BOM,လက်ရှိ BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Serial No Add +DocType: Production Order Item,Available Qty at Source Warehouse,အရင်းအမြစ်ဂိုဒေါင်မှာမရရှိနိုင်အရည်အတွက် apps/erpnext/erpnext/config/support.py +22,Warranty,အာမခံချက် DocType: Purchase Invoice,Debit Note Issued,debit မှတ်ချက်ထုတ်ပေး DocType: Production Order,Warehouses,ကုနျလှောငျရုံ @@ -3980,13 +3997,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Paid ငွေ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,စီမံကိန်းမန်နေဂျာ ,Quoted Item Comparison,ကိုးကားအရာဝတ္ထုနှိုင်းယှဉ်ခြင်း apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,item တခုကိုခွင့်ပြုထား max ကိုလျှော့စျေး: {0} သည် {1}% +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 +279,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 +879,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ," +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ," DocType: Item,Material Issue,material Issue DocType: Hub Settings,Seller Description,ရောင်းချသူဖော်ပြချက်များ DocType: Employee Education,Qualification,အရည်အချင်း @@ -4010,7 +4027,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"တင်သွင်းစတော့အိတ် Entry '{0} တည်ရှိသောကြောင့်, ဖျက်သိမ်းနိုင်ဘူး" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"တင်သွင်းစတော့အိတ် Entry '{0} တည်ရှိသောကြောင့်, ဖျက်သိမ်းနိုင်ဘူး" DocType: Employee Loan,Disbursement Date,ငွေပေးချေနေ့စွဲ DocType: Vehicle,Vehicle,ယာဉ် DocType: Purchase Invoice,In Words,စကားအတွက် @@ -4031,7 +4048,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Default အဖြစ်ဒီဘဏ္ဍာရေးနှစ်တစ်နှစ်တာတင်ထားရန်, '' Default အဖြစ်သတ်မှတ်ပါ '' ကို click လုပ်ပါ" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ပူးပေါင်း apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ပြတ်လပ်မှု Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့ +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့ DocType: Employee Loan,Repay from Salary,လစာထဲကနေပြန်ဆပ် DocType: Leave Application,LAP/,ရင်ခွင် / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ငွေပမာဏများအတွက် {0} {1} ဆန့်ကျင်ငွေပေးချေမှုတောင်းခံ {2} @@ -4049,18 +4066,18 @@ 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 +1011,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။ +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,serial No {0} ပြီးသားကိုလက်ခံရရှိခဲ့ပြီး +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,serial No {0} ပြီးသားကိုလက်ခံရရှိခဲ့ပြီး ,Requested Items To Be Transferred,လွှဲပြောင်းရန်မေတ္တာရပ်ခံပစ္စည်းများ 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 +1312,Delete permanently?,အမြဲတမ်းပယ်ဖျက်? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},မမှန်ကန်ခြင်း {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},မမှန်ကန်ခြင်း {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,နေမကောင်းထွက်ခွာ DocType: Email Digest,Email Digest,အီးမေးလ် Digest မဂ္ဂဇင်း DocType: Delivery Note,Billing Address Name,ငွေတောင်းခံလိပ်စာအမည် @@ -4073,6 +4090,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,နှော DocType: Company,Change Abbreviation,ပြောင်းလဲမှုအတိုကောက် DocType: Expense Claim Detail,Expense Date,စရိတ်နေ့စွဲ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ် DocType: Item,Max Discount (%),max လျှော့ (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,နောက်ဆုံးအမိန့်ငွေပမာဏ DocType: Task,Is Milestone,မှတ်တိုင်ဖြစ်ပါသည် @@ -4096,8 +4114,8 @@ DocType: Program Enrollment Tool,New Program,နယူးအစီအစဉ် DocType: Item Attribute Value,Attribute Value,attribute Value တစ်ခု ,Itemwise Recommended Reorder Level,Itemwise Reorder အဆင့်အကြံပြုထား DocType: Salary Detail,Salary Detail,လစာ Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ပထမဦးဆုံး {0} ကို select ကျေးဇူးပြု. -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,batch {0} Item ၏ {1} သက်တမ်းကုန်ဆုံးခဲ့သည်။ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,ပထမဦးဆုံး {0} ကို select ကျေးဇူးပြု. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,batch {0} Item ၏ {1} သက်တမ်းကုန်ဆုံးခဲ့သည်။ DocType: Sales Invoice,Commission,ကော်မရှင် apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ကုန်ထုတ်လုပ်မှုများအတွက်အချိန်စာရွက်။ apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,စုစုပေါင်း @@ -4122,12 +4140,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 +399,Operation Time must be greater than 0 for Operation {0},စစ်ဆင်ရေးအချိန်ကစစ်ဆင်ရေး {0} များအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည် +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/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 +387,Production Order cannot be raised against a Item Template,ထုတ်လုပ်မှုအမိန့်တစ်ခု Item Template ဆန့်ကျင်ထမွောကျနိုငျမညျမဟု +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/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,စတင်သည့်ရက်စွဲ @@ -4157,7 +4175,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,စွန့်ပစ်နေ့စွဲ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","သူတို့အားလပ်ရက်ရှိသည်မဟုတ်ကြဘူးလျှင်အီးမေးလ်များ, ပေးထားသောနာရီမှာကုမ္ပဏီအပေါငျးတို့သ Active ကိုဝန်ထမ်းများထံသို့စေလွှတ်လိမ့်မည်။ တုံ့ပြန်မှု၏အကျဉ်းချုပ်သန်းခေါင်မှာကိုစလှေတျပါလိမ့်မည်။" DocType: Employee Leave Approver,Employee Leave Approver,ဝန်ထမ်းထွက်ခွာခွင့်ပြုချက် -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ဆုံးရှုံးအဖြစ်စျေးနှုန်းကိုဖန်ဆင်းခဲ့ပြီးကြောင့်, ကြေညာလို့မရပါဘူး။" 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} တင်သွင်းရမည် @@ -4191,6 +4209,7 @@ DocType: Announcement,Student,ကြောငျးသား apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,အစည်းအရုံးယူနစ် (ဌာန၏) သခင်သည်။ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,တရားဝင်မိုဘိုင်း nos ရိုက်ထည့်ပေးပါ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ပေးပို့ခြင်းမပြုမီသတင်းစကားကိုရိုက်ထည့်ပေးပါ +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ပေးသွင်းသူများအတွက် Duplicate DocType: Email Digest,Pending Quotations,ဆိုင်းငံ့ကိုးကားချက်များ apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,point-of-Sale ကိုယ်ရေးအချက်အလက်များ profile apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS ကို Settings ကို Update ကျေးဇူးပြု. @@ -4199,7 +4218,7 @@ DocType: Cost Center,Cost Center Name,ကုန်ကျ Center ကအမည် DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Timesheet ဆန့်ကျင် max အလုပ်ချိန် DocType: Maintenance Schedule Detail,Scheduled Date,Scheduled နေ့စွဲ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,စုစုပေါင်း Paid Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,စုစုပေါင်း Paid Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ဇာတ်ကောင်ထက် သာ. ကြီးမြတ် messages အများအပြားသတင်းစကားများသို့ခွဲထွက်လိမ့်မည် DocType: Purchase Receipt Item,Received and Accepted,ရရှိထားသည့်နှင့်လက်ခံရရှိပါသည် ,GST Itemised Sales Register,GST Item အရောင်းမှတ်ပုံတင်မည် @@ -4209,7 +4228,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 +237,Your Suppliers,သင့်ရဲ့ပေးသွင်း +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'Vaulation နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏ရသောအခါနုတ်မနိုင် @@ -4221,7 +4240,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူ Reciept လိုအပ်ပါသည် == '' ဟုတ်ကဲ့ '', ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,website က Image ကို {0} ပစ္စည်းမှပူးတွဲပါ {1} မတွေ့ရှိနိုင် +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 စာရင်း။ @@ -4236,7 +4255,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ဒါကြ apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ဂိုဒေါင်မှ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,အားလုံးကျောင်းသားသမဂ္ဂအဆင့်လက်ခံရေး ,Average Commission Rate,ပျမ်းမျှအားဖြင့်ကော်မရှင် Rate -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'' ဟုတ်ကဲ့ '' Non-စတော့ရှယ်ယာကို item သည်မဖွစျနိုငျ '' Serial No ရှိခြင်း '' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'' ဟုတ်ကဲ့ '' Non-စတော့ရှယ်ယာကို item သည်မဖွစျနိုငျ '' Serial No ရှိခြင်း '' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,တက်ရောက်သူအနာဂတ်ရက်စွဲများကိုချောင်းမြောင်းမရနိုင်ပါ DocType: Pricing Rule,Pricing Rule Help,စျေးနှုန်း Rule အကူအညီ DocType: School House,House Name,အိမ်အမည် @@ -4252,7 +4271,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 +339,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည် +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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 ကိုရက်စွဲအာမခံအဆုံးနေ့စွဲထက်လျော့နည်းဖြစ်သင့် @@ -4267,20 +4286,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားအချိန်စာရွက် {1} ဖန်တီး DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,အမိန့် Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,item {0} ပိတ်ထားတယ် +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 +874,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,ဆီဖြည့အသေးစိတ် apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,လစာစလစ် Generate -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","application များအတွက် {0} အဖြစ်ရွေးချယ်မယ်ဆိုရင်ဝယ်, checked ရမည်" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","application များအတွက် {0} အဖြစ်ရွေးချယ်မယ်ဆိုရင်ဝယ်, checked ရမည်" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,လျော့စျေးက 100 ထက်လျော့နည်းဖြစ်ရမည် 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 +500,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက် +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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 ကိုကျောင်းအပ် DocType: Landed Cost Voucher,Landed Cost Voucher,ကုန်ကျစရိတ်ဘောက်ချာဆင်းသက် @@ -4343,7 +4362,6 @@ DocType: Maintenance Visit,MV,သင်္ဘော MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,မျှော်လင့်ထားသည့်ရက်စွဲပစ္စည်းတောင်းဆိုမှုနေ့စွဲခင်မဖွစျနိုငျ DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက် DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက် -DocType: Production Order,Source Warehouse (for reserving Items),(ပစ္စည်းများသီးသန့်ဖယ်ထားများအတွက်) source ဂိုဒေါင် DocType: Employee Loan,Repayment Period in Months,လထဲမှာပြန်ဆပ်ကာလ apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,error: မမှန်ကန်သောက id? DocType: Naming Series,Update Series Number,Update ကိုစီးရီးနံပါတ် @@ -4392,7 +4410,7 @@ DocType: Production Order,Planned End Date,စီစဉ်ထားတဲ့အ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,အဘယ်မှာရှိပစ္စည်းများကိုသိမ်းဆည်းထားသည်။ DocType: Request for Quotation,Supplier Detail,ပေးသွင်း Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ဖော်မြူလာသို့မဟုတ်အခြေအနေအမှား: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Invoiced ငွေပမာဏ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Invoiced ငွေပမာဏ DocType: Attendance,Attendance,သွားရောက်ရှိနေခြင်း apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,စတော့အိတ်ပစ္စည်းများ DocType: BOM,Materials,ပစ္စည်းများ @@ -4433,10 +4451,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup ကိုငါ့အအဖွဲ့အစည်းအတွက်ရိုးရှင်းတဲ့ဝက်ဘ်ဆိုက် +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု. +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု. DocType: Item,Default Warehouse,default ဂိုဒေါင် apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ဘဏ္ဍာငွေအရအသုံး Group မှအကောင့် {0} ဆန့်ကျင်တာဝန်ပေးမရနိုင်ပါ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,မိဘကုန်ကျစရိတ်အလယ်ဗဟိုကိုရိုက်ထည့်ပေးပါ @@ -4498,7 +4516,7 @@ 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 +1344,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add +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/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,ဒီထမ်းများ၏တက်ရောက်သူအပေါ်အခြေခံသည် @@ -4506,6 +4524,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,တစ်နှစ်တာ Start ကိုနေ့စွဲ DocType: Attendance,Employee Name,ဝန်ထမ်းအမည် DocType: Sales Invoice,Rounded Total (Company Currency),rounded စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်) +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/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 +231,{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 ကိုအောင်ကနေအသုံးပြုသူများကိုရပ်တန့်။ @@ -4528,7 +4547,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 Reading ,Hub,hub DocType: GL Entry,Voucher Type,ဘောက်ချာကအမျိုးအစား -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ် +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} '' လက်ဝဲ 'အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း @@ -4548,7 +4567,7 @@ DocType: POS Profile,Account for Change Amount,ပြောင်းလဲမှ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},row {0}: ပါတီ / အကောင့်ကို {3} {4} အတွက် {1} / {2} နှင့်ကိုက်ညီမပါဘူး apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,အသုံးအကောင့်ကိုရိုက်ထည့်ပေးပါ DocType: Account,Stock,စတော့အိတ် -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်" DocType: Employee,Current Address,လက်ရှိလိပ်စာ DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ကို item အခြားတဲ့ item တစ်ခုမူကွဲဖြစ်ပါတယ် အကယ်. အတိအလင်းသတ်မှတ်လိုက်သောမဟုတ်လျှင်ထို့နောက်ဖော်ပြချက်, ပုံရိပ်, စျေးနှုန်း, အခွန်စသည်တို့အတွက် template ကိုကနေသတ်မှတ်ကြလိမ့်မည်" DocType: Serial No,Purchase / Manufacture Details,ဝယ်ယူခြင်း / ထုတ်လုပ်ခြင်းလုပ်ငန်းအသေးစိတ်ကို @@ -4587,11 +4606,12 @@ DocType: Student,Home Address,အိမ်လိပ်စာ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ပိုင်ဆိုင်မှုလွှဲပြောင်း DocType: POS Profile,POS Profile,POS ကိုယ်ရေးအချက်အလက်များ profile DocType: Training Event,Event Name,အဖြစ်အပျက်အမည် -apps/erpnext/erpnext/config/schools.py +39,Admission,ဝင်ခွင့်ပေးခြင်း +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,ဝင်ခွင့်ပေးခြင်း apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0} များအတွက်အဆင့်လက်ခံရေး apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",item {0} တဲ့ template ကိုသည်၎င်း၏မျိုးကွဲတွေထဲကရွေးချယ်ရန် DocType: Asset,Asset Category,ပိုင်ဆိုင်မှုအမျိုးအစား +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ဝယ်ယူ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net ကအခပေးအနုတ်လက္ခဏာမဖြစ်နိုင် DocType: SMS Settings,Static Parameters,static Parameter များကို DocType: Assessment Plan,Room,အခန်းတခန်း @@ -4600,6 +4620,7 @@ DocType: Item,Item Tax,item ခွန် apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ပေးသွင်းဖို့ material apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ယစ်မျိုးပြေစာ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% တစ်ကြိမ်ထက်ပိုပြီးပုံပေါ် +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို DocType: Expense Claim,Employees Email Id,န်ထမ်းအီးမေးလ် 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,လက်ရှိမှုစိစစ် @@ -4671,6 +4692,7 @@ DocType: Leave Type,Is Carry Forward,Forward ယူသွားတာဖြစ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 မဟုတ် ,Stock Summary,စတော့အိတ်အကျဉ်းချုပ် diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv index 15676c17e1..2e075ae566 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Holiday Lijst -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Accountant +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Accountant DocType: Cost Center,Stock User,Aandeel Gebruiker DocType: Company,Phone No,Telefoonnummer apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Cursus Roosters gemaakt: @@ -110,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} 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Niet toegestaan voor {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Krijgen items uit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Niet artikelen gevonden +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Reports DocType: Warehouse,Warehouse Detail,Magazijn Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredietlimiet is overschreden voor de klant {0} {1} / {2} 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.,De Term Einddatum kan niet later dan het jaar Einddatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Van {0} tot {1} DocType: Item,Copy From Item Group,Kopiëren van Item Group DocType: Journal Entry,Opening Entry,Opening Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klant> Klantengroep> Territorium apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Rekening betalen enkel DocType: Employee Loan,Repay Over Number of Periods,Terug te betalen gedurende een aantal perioden DocType: Stock Entry,Additional Costs,Bijkomende kosten @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Vastgoed -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Rekeningafschrift +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 DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste activa apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Beschikbare aantal is {0}, moet u {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Verbruiksartikelen +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Voorbeeld: Basiswiskunde +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/config/hr.py +214,Settings for HR Module,Instellingen voor HR Module DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Artikelen en prijzen apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Totaal aantal uren: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Van Datum moet binnen het boekjaar zijn. Er vanuit gaande dat Van Datum {0} is +apps/erpnext/erpnext/hooks.py +87,Quotes,Citaten DocType: Customer,Individual,Individueel DocType: Interest,Academics User,Academici Gebruiker DocType: Cheque Print Template,Amount In Figure,Bedrag In figuur @@ -265,7 +266,7 @@ DocType: Employee,Create User,Gebruiker aanmaken DocType: Selling Settings,Default Territory,Standaard Regio apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,televisie DocType: Production Order Operation,Updated via 'Time Log',Bijgewerkt via 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance bedrag kan niet groter zijn dan {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance bedrag kan niet groter zijn dan {0} {1} DocType: Naming Series,Series List for this Transaction,Reeks voor deze transactie DocType: Company,Enable Perpetual Inventory,Perpetual Inventory inschakelen DocType: Company,Default Payroll Payable Account,Default Payroll Payable Account @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Voor Magazijn is vereist voor het Indienen +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Contact Naam +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Ontslagdatum moet groter zijn dan datum van indiensttreding apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Verlaat per jaar 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 +189,Warehouse {0} does not belong to company {1},Magazijn {0} behoort niet tot bedrijf {1} +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 +270,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Gegevens apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,jaar- DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraad Afletteren Artikel @@ -315,7 +316,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 +316,People who teach at your organisation,Mensen die lesgeven op uw organisatie +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Zodat de gebruiker te bewerken Rate 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 +699,Item {0} is cancelled,Artikel {0} is geannuleerd +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 +882,Material Request,Materiaal Aanvraag DocType: Bank Reconciliation,Update Clearance Date,Werk Clearance Datum bij DocType: Item,Purchase Details,Inkoop Details @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} twee keer opgenomen in Artikel BTW +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} twee keer opgenomen in Artikel BTW apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Samenvatting voor deze week en in afwachting van activiteiten DocType: Student Applicant,Admitted,toegelaten DocType: Workstation,Rent Cost,Huurkosten @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Ontvangen apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Maak Student Groepen apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Installatie al voltooid ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Note Bedrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Credit Note Bedrag ,Finished Goods,Gereed Product DocType: Delivery Note,Instructions,Instructies DocType: Quality Inspection,Inspected By,Geïnspecteerd door @@ -444,8 +445,9 @@ 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 +1456,Create a new Customer,Maak een nieuwe klant +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Gelieve op te stellen nummeringsreeks voor bijwonen via Setup> Nummerreeks apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Maak Bestellingen ,Purchase Register,Inkoop Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -470,7 +472,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland." +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/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 @@ -491,7 +493,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Kenmerk {0} meerdere keren geselecteerd in Attributes Tabel +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Kenmerk {0} meerdere keren geselecteerd in Attributes Tabel DocType: HR Settings,Employee record is created using selected field. ,Werknemer regel wordt gemaakt met behulp van geselecteerd veld. DocType: Sales Order,Not Applicable,Niet van toepassing apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Vakantie meester . @@ -527,7 +529,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 +219,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 +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/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" @@ -542,7 +544,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Vul magazijn in waarvoor Materiaal Aanvragen zullen worden ingediend. DocType: Production Order,Additional Operating Cost,Additionele Operationele Kosten apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosmetica -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Om samen te voegen, moeten de volgende eigenschappen hetzelfde zijn voor beide artikelen" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Om samen te voegen, moeten de volgende eigenschappen hetzelfde zijn voor beide artikelen" DocType: Shipping Rule,Net Weight,Netto Gewicht DocType: Employee,Emergency Phone,Noodgeval Telefoonnummer apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kopen @@ -552,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%,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 +2428,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn +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 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 @@ -571,7 +573,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Toevoegen / Bewerken Belastingen en Heffingen DocType: Purchase Invoice,Supplier Invoice No,Factuurnr. Leverancier DocType: Territory,For reference,Ter referentie -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan Serienummer {0} niet verwijderen, omdat het wordt gebruikt in voorraadtransacties" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan Serienummer {0} niet verwijderen, omdat het wordt gebruikt in voorraadtransacties" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Sluiten (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Item verplaatsen DocType: Serial No,Warranty Period (Days),Garantieperiode (dagen) @@ -592,7 +594,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Selecteer Company en Party Type eerste apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financiële / boekjaar . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Geaccumuleerde waarden -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Sorry , serienummers kunnen niet worden samengevoegd" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Sorry , serienummers kunnen niet worden samengevoegd" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Maak verkooporder DocType: Project Task,Project Task,Project Task ,Lead Id,Lead Id @@ -612,6 +614,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Toewijzen apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Terugkerende verkoop 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,Opmerking: Totaal toegewezen bladeren {0} mag niet kleiner zijn dan die reeds zijn goedgekeurd bladeren zijn {1} voor de periode +,Total Stock Summary,Totale voorraadoverzicht DocType: Announcement,Posted By,Gepost door DocType: Item,Delivered by Supplier (Drop Ship),Geleverd door Leverancier (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database van potentiële klanten. @@ -620,7 +623,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Klantenbestand. DocType: Quotation,Quotation To,Offerte Voor DocType: Lead,Middle Income,Modaal Inkomen apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening ( Cr ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standaard maateenheid voor post {0} kan niet direct worden gewijzigd, omdat je al enkele transactie (s) met een andere UOM hebben gemaakt. U moet een nieuwe post naar een andere Standaard UOM gebruik maken." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standaard maateenheid voor post {0} kan niet direct worden gewijzigd, omdat je al enkele transactie (s) met een andere UOM hebben gemaakt. U moet een nieuwe post naar een andere Standaard UOM gebruik maken." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Toegekende bedrag kan niet negatief zijn apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stel het bedrijf alstublieft in apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stel het bedrijf alstublieft in @@ -642,6 +645,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Stamdata DocType: Assessment Plan,Maximum Assessment Score,Maximum Assessment Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update Bank transactiedata apps/erpnext/erpnext/config/projects.py +30,Time Tracking,tijdregistratie +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICATE VOOR TRANSPORTOR DocType: Fiscal Year Company,Fiscal Year Company,Fiscale Jaar Company DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,Conferentie @@ -682,8 +686,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 +320,Timesheet created:,Rooster gemaakt: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -712,7 +716,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 +139,Finish,Afwerking +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Afwerking apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Baseren DocType: Timesheet,Total Billed Hours,Totaal gefactureerd Hours DocType: Journal Entry,Write Off Amount,Afschrijvingsbedrag @@ -746,7 +750,7 @@ DocType: Hub Settings,Seller City,Verkoper Stad ,Absent Student Report,Studenten afwezigheidsrapport DocType: Email Digest,Next email will be sent on:,Volgende e-mail wordt verzonden op: DocType: Offer Letter Term,Offer Letter Term,Aanbod Letter Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item heeft varianten. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Item heeft varianten. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Artikel {0} niet gevonden DocType: Bin,Stock Value,Voorraad Waarde apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Company {0} bestaat niet @@ -793,12 +797,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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. 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 +48,Make Timesheet,maak Timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -856,13 +860,13 @@ DocType: Company,Default Cost of Goods Sold Account,Standaard kosten van verkoch apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prijslijst niet geselecteerd DocType: Employee,Family Background,Familie Achtergrond DocType: Request for Quotation Supplier,Send Email,E-mail verzenden -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Waarschuwing: Invalid Attachment {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Geen toestemming +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Waarschuwing: Invalid Attachment {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Geen toestemming 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 +269,Nos,Nrs +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -881,7 +885,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd +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/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 @@ -969,14 +973,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,Stuklijst {0} moet actief zijn +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serienummer {0} behoort niet tot Artikel {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serienummer {0} behoort niet tot Artikel {1} DocType: Purchase Receipt Item Supplied,Required Qty,Benodigde hoeveelheid apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Warehouses met bestaande transactie kan niet worden geconverteerd naar grootboek. DocType: Bank Reconciliation,Total Amount,Totaal bedrag @@ -993,7 +997,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Components apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vul Asset Categorie op post {0} DocType: Quality Inspection Reading,Reading 6,Meting 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan niet {0} {1} {2} zonder negatieve openstaande factuur +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Kan niet {0} {1} {2} zonder negatieve openstaande factuur DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inkoopfactuur Voorschot DocType: Hub Settings,Sync Now,Nu synchroniseren apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rij {0}: kan creditering niet worden gekoppeld met een {1} @@ -1007,12 +1011,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 +731,New Sales Invoice,Nieuwe Sales Invoice +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Facturen +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1045,10 +1049,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemisch DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Cash account wordt automatisch bijgewerkt in Salaris Journal Entry als deze modus wordt geselecteerd. DocType: BOM,Raw Material Cost(Company Currency),Grondstofkosten (Company Munt) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle items zijn al overgebracht voor deze productieorder. +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 +270,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1071,7 +1075,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 +452,Please enter Account for Change Amount,Vul Account for Change Bedrag +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1079,7 +1083,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 +259,Qty for {0},Aantal voor {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1091,9 +1095,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Kas/Bankrekening apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Geef een {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Verwijderde items met geen verandering in de hoeveelheid of waarde. DocType: Delivery Note,Delivery To,Leveren Aan -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributentabel is verplicht +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Attributentabel is verplicht DocType: Production Planning Tool,Get Sales Orders,Get Verkooporders -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan niet negatief zijn +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan niet negatief zijn apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Korting DocType: Asset,Total Number of Depreciations,Totaal aantal Afschrijvingen DocType: Sales Invoice Item,Rate With Margin,Beoordeel met marges @@ -1129,7 +1133,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 +1546,ZIP Code,Postcode +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1148,7 +1152,7 @@ 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 +238,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 +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/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 @@ -1172,7 +1176,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Stel 'Solliciteer Extra Korting op' +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 DocType: Global Defaults,Global Defaults,Global Standaardwaarden @@ -1180,10 +1184,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 +22,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 +23,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 +347,Capacity Planning Error,Capacity Planning Fout +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Capacity Planning Fout ,Trial Balance for Party,Trial Balance voor Party DocType: Lead,Consultant,Consultant DocType: Salary Slip,Earnings,Verdiensten @@ -1202,7 +1206,7 @@ DocType: Purchase Invoice,Is Return,Is Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} geldig serienummers voor Artikel {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} geldig serienummers voor Artikel {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Artikelcode kan niet worden gewijzigd voor Serienummer apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profiel {0} al gemaakt voor de gebruiker: {1} en {2} bedrijf DocType: Sales Invoice Item,UOM Conversion Factor,Eenheid Omrekeningsfactor @@ -1212,7 +1216,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 +675,Cost Center For Item with Item Code ',Kostenplaats Item met Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1255,7 +1259,7 @@ 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,Bekijk Grootboek 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,De Punt {0} kan niet Batch hebben @@ -1284,7 +1288,7 @@ 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 +288,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1295,7 +1299,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Verkooporder {0} is niet geldig +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/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} \ @@ -1313,14 +1317,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Plaats van uitgifte apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contract DocType: Email Digest,Add Quote,Quote voegen -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Eenheid Omrekeningsfactor is nodig voor eenheid: {0} in Artikel: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Eenheid Omrekeningsfactor is nodig voor eenheid: {0} in Artikel: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Uw producten of diensten +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 DocType: Mode of Payment,Mode of Payment,Wijze van betaling -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dit is een basis artikelgroep en kan niet worden bewerkt . @@ -1338,14 +1342,13 @@ 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 +562,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Productie Order status is {0} DocType: Appraisal Goal,Goal,Doel DocType: Sales Invoice Item,Edit Description,Bewerken Beschrijving ,Team Updates,team updates @@ -1361,14 +1364,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child magazijn bestaat voor dit magazijn. U kunt dit magazijn niet verwijderen. DocType: Item,Website Item Groups,Website Artikelgroepen DocType: Purchase Invoice,Total (Company Currency),Totaal (Company valuta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} meer dan eens ingevoerd +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 +78,{0} items in progress,{0} items in progress +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1426,7 +1429,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1441,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1449,7 +1451,7 @@ DocType: Sales Invoice,Shipping Address Name,Verzenden Adres Naam apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Rekeningschema DocType: Material Request,Terms and Conditions Content,Algemene Voorwaarden Inhoud apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,mag niet groter zijn dan 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Artikel {0} is geen voorraadartikel +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Artikel {0} is geen voorraadartikel DocType: Maintenance Visit,Unscheduled,Ongeplande DocType: Employee,Owned,Eigendom DocType: Salary Detail,Depends on Leave Without Pay,Afhankelijk van onbetaald verlof @@ -1481,7 +1483,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 +273,We buy this Item,We kopen dit artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1492,7 +1494,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 +266,Sub Assemblies,Uitbesteed werk +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Uitbesteed werk DocType: Asset,Asset Name,Asset Naam DocType: Project,Task Weight,Task Weight DocType: Shipping Rule Condition,To Value,Tot Waarde @@ -1525,12 +1527,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Geen records gevonden in de betaling tabel apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Deze {0} in strijd is met {1} voor {2} {3} DocType: Student Attendance Tool,Students HTML,studenten HTML DocType: POS Profile,Apply Discount,Solliciteer Discount -DocType: Purchase Invoice Item,GST HSN Code,GST HSN-code +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 +283,Packing Slip(s) cancelled,Pakbon(nen) geannuleerd @@ -1573,8 +1575,8 @@ 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 +2573,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Doos +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 +873,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 @@ -1604,7 +1606,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,terugbetaling Method DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Indien aangevinkt, zal de startpagina de standaard Item Group voor de website" DocType: Quality Inspection Reading,Reading 4,Meting 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Standaard BOM voor {0} niet gevonden voor Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Claims voor bedrijfsonkosten 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} @@ -1621,29 +1622,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nieuwe taak apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Maak Offerte apps/erpnext/erpnext/config/selling.py +216,Other Reports,andere rapporten DocType: Dependent Task,Dependent Task,Afhankelijke taak -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Conversiefactor voor Standaard meeteenheid moet 1 zijn in rij {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Conversiefactor voor Standaard meeteenheid moet 1 zijn in rij {0} 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} DocType: SMS Center,Receiver List,Ontvanger Lijst -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Zoekitem +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Reeds voltooid +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/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 +263,Quantity must not be more than {0},Hoeveelheid mag niet meer zijn dan {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Customer,Customer POS Id,Klant POS-id DocType: Account,Account Name,Rekening Naam apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Vanaf de datum kan niet groter zijn dan tot nu toe -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} hoeveelheid {1} moet een geheel getal zijn +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} hoeveelheid {1} moet een geheel getal zijn apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverancier Type stam. DocType: Purchase Order Item,Supplier Part Number,Leverancier Onderdeelnummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Succespercentage kan niet 0 of 1 zijn @@ -1651,6 +1652,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Voertuig Vertrekdatum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Standaard Payable Account apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Instellingen voor online winkelwagentje zoals scheepvaart regels, prijslijst enz." @@ -1707,7 +1709,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Inclusief vakantie DocType: Sales Invoice,Packed Items,Verpakt Items apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantie Claim tegen Serienummer DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Vervang een bepaalde BOM alle andere BOM waar het wordt gebruikt. Het zal de oude BOM koppeling te vervangen, kosten bij te werken en te regenereren ""BOM Explosie Item"" tabel als per nieuwe BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Totaal' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Totaal' DocType: Shopping Cart Settings,Enable Shopping Cart,Inschakelen Winkelwagen DocType: Employee,Permanent Address,Vast Adres apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1743,6 +1745,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weging +DocType: Sales 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 @@ -1762,7 +1765,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1779,7 +1782,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hoofd apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Instellen voorvoegsel voor nummerreeksen voor uw transacties DocType: Employee Attendance Tool,Employees HTML,medewerkers HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template 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 @@ -1792,7 +1795,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 +175,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 +173,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 @@ -1802,7 +1805,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentengroep Sterkte apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Tegen Journal Entry {0} heeft geen ongeëvenaarde {1} binnenkomst hebben apps/erpnext/erpnext/config/hr.py +137,Appraisals,taxaties -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dubbel Serienummer ingevoerd voor Artikel {0} +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" @@ -1811,7 +1814,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Betaling @@ -1830,12 +1833,12 @@ 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 +257,"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 +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 . 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: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nieuwe winkelwagen +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1861,7 +1864,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Krijg items uit Aankoopfacturen DocType: Serial No,Creation Date,Aanmaakdatum apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikel {0} verschijnt meerdere keren in prijslijst {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Verkoop moet zijn aangevinkt, indien ""Van toepassing voor"" is geselecteerd als {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Verkoop moet zijn aangevinkt, indien ""Van toepassing voor"" is geselecteerd als {0}" DocType: Production Plan Material Request,Material Request Date,Materiaal Aanvraagdatum DocType: Purchase Order Item,Supplier Quotation Item,Leverancier Offerte Artikel DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Schakelt creatie uit van tijdlogs tegen productieorders. Operaties worden niet bijgehouden tegen productieorder @@ -1878,12 +1881,12 @@ DocType: Supplier,Supplier of Goods or Services.,Leverancier van goederen of die DocType: Budget,Fiscal Year,Boekjaar DocType: Vehicle Log,Fuel Price,Fuel Price DocType: Budget,Budget,Begroting -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset punt moet een niet-voorraad artikel zijn. +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 +209,e.g. 5,bijv. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1892,7 +1895,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,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 +263,A Product or Service,Een product of dienst +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1967,7 +1970,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,paar +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,paar apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1986,10 +1989,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Werkelijke Einddatum (via Urenregistratie) 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 +160,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 +342,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account +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 DocType: Shipping Rule Condition,Shipping Amount,Verzendbedrag -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Voeg klanten toe +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -2006,6 +2009,7 @@ DocType: Journal Entry,Accounts Receivable,Debiteuren ,Supplier-Wise Sales Analytics,Leverancier-gebaseerde Verkoop Analyse apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Voer betaalde bedrag DocType: Salary Structure,Select employees for current Salary Structure,Selecteer medewerkers voor de huidige beloningsstructuur +DocType: Sales Invoice,Company Address Name,Bedrijfs Adres Naam DocType: Production Order,Use Multi-Level BOM,Gebruik Multi-Level Stuklijst DocType: Bank Reconciliation,Include Reconciled Entries,Omvatten Reconciled Entries 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)" @@ -2026,7 +2030,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 +269,Unit,eenheid +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2048,7 +2052,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,bedrag Verschil @@ -2057,7 +2061,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Indeling van de klanten per regio apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Verschil Bedrag moet nul zijn DocType: Project,Gross Margin,Bruto Marge -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Vul eerst Productie Artikel in +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 +748,Quotation,Offerte @@ -2069,7 +2073,7 @@ 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**. DocType: Opportunity,Customer / Lead Address,Klant / Lead Adres -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Waarschuwing: Ongeldig SSL certificaat op attachment {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Waarschuwing: Ongeldig SSL certificaat op attachment {0} DocType: Student Admission,Eligibility,verkiesbaarheid apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads u helpen om zaken, voeg al uw contacten en nog veel meer als uw leads" DocType: Production Order Operation,Actual Operation Time,Werkelijke Operatie Duur @@ -2088,11 +2092,11 @@ DocType: Appraisal,Calculate Total Score,Bereken Totaalscore DocType: Request for Quotation,Manufacturing Manager,Productie Manager apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serienummer {0} is onder garantie tot {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Splits Vrachtbrief in pakketten. -apps/erpnext/erpnext/hooks.py +87,Shipments,Zendingen +apps/erpnext/erpnext/hooks.py +94,Shipments,Zendingen DocType: Payment Entry,Total Allocated Amount (Company Currency),Totaal toegewezen bedrag (Company Munt) DocType: Purchase Order Item,To be delivered to customer,Om de klant te leveren DocType: BOM,Scrap Material Cost,Scrap Materiaal Cost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serienummer {0} niet behoren tot een Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serienummer {0} niet behoren tot een Warehouse DocType: Purchase Invoice,In Words (Company Currency),In Woorden (Bedrijfsvaluta) DocType: Asset,Supplier,Leverancier DocType: C-Form,Quarter,Kwartaal @@ -2106,11 +2110,10 @@ DocType: Employee Loan,Employee Loan Account,Werknemer Leningsrekening DocType: Leave Application,Total Leave Days,Totaal verlofdagen DocType: Email Digest,Note: Email will not be sent to disabled users,Opmerking: E-mail wordt niet verzonden naar uitgeschakelde gebruikers apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Aantal interacties -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelcode> Itemgroep> Merk 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 +408,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2154,7 +2157,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Kostendeclaratie Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Selecteer juiste account +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE VOOR LEVERANCIER +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Selecteer juiste account DocType: Item,Weight UOM,Gewicht Eenheid DocType: Salary Structure Employee,Salary Structure Employee,Salarisstructuur Employee DocType: Employee,Blood Group,Bloedgroep @@ -2176,7 +2180,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debet Om vereist +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2189,7 +2193,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Totaal Onbetaalde: DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Aanbod Letter apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Genereer Materiaal Aanvragen (MRP) en Productieorders. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Totale gefactureerde Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Totale gefactureerde Amt DocType: BOM,Conversion Rate,Conversion Rate apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,product zoeken DocType: Timesheet Detail,To Time,Tot Tijd @@ -2204,7 +2208,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Training Event Medewerker -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummers vereist voor post {1}. U hebt verstrekt {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummers vereist voor post {1}. U hebt verstrekt {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Huidige Valuation Rate DocType: Item,Customer Item Codes,Customer Item Codes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange winst / verlies @@ -2252,7 +2256,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 +2454,Select Batch No,Selecteer batchnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2276,19 +2280,19 @@ DocType: Leave Block List,Allow Users,Gebruikers toestaan DocType: Purchase Order,Customer Mobile No,Klant Mobile Geen DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Volg afzonderlijke baten en lasten over het product verticalen of divisies. DocType: Rename Tool,Rename Tool,Hernoem Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Kosten bijwerken +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 +438,Show Salary Slip,Show loonstrook apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Stel terugkerende na het opslaan -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Selecteer verandering bedrag rekening +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Belastingen toevoegen +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2299,6 +2303,7 @@ DocType: Stock Entry,Purchase Receipt No,Ontvangstbevestiging nummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Onderpand DocType: Process Payroll,Create Salary Slip,Maak loonstrook apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceerbaarheid +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC Code 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 @@ -2328,7 +2333,7 @@ DocType: Employee Education,Post Graduate,Post Doctoraal DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Onderhoudsschema Detail DocType: Quality Inspection Reading,Reading 9,Meting 9 DocType: Supplier,Is Frozen,Is Bevroren -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Groep knooppunt magazijn is niet toegestaan om te kiezen voor transacties +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Groep knooppunt magazijn is niet toegestaan om te kiezen voor transacties DocType: Buying Settings,Buying Settings,Inkoop Instellingen DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Stuklijst nr voor een Gereed Product Artikel DocType: Upload Attendance,Attendance To Date,Aanwezigheid graag: @@ -2343,13 +2348,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,U kunt het tarief niet veranderen als een artikel Stuklijst-gerelateerd is. +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vul Gepland Aantal in voor artikel {0} op rij {1} @@ -2371,7 +2376,7 @@ DocType: Authorization Rule,Authorized Value,Authorized Value DocType: BOM,Show Operations,Toon Operations ,Minutes to First Response for Opportunity,Minuten naar First Response voor Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Totaal Afwezig -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artikel of Magazijn voor rij {0} komt niet overeen met Materiaal Aanvraag +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Artikel of Magazijn voor rij {0} komt niet overeen met Materiaal Aanvraag apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Meeteenheid DocType: Fiscal Year,Year End Date,Jaar Einddatum DocType: Task Depends On,Task Depends On,Taak Hangt On @@ -2463,7 +2468,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 +106,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 +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/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 @@ -2560,9 +2565,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Kostenplaats apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Coupon # DocType: Notification Control,Purchase Order Message,Inkooporder Bericht @@ -2578,7 +2583,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 +1165,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 +1086,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 +773,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 @@ -2597,7 +2602,7 @@ DocType: Project,Task Completion,Task Completion apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Niet op voorraad DocType: Appraisal,HR User,HR Gebruiker DocType: Purchase Invoice,Taxes and Charges Deducted,Belastingen en Toeslagen Afgetrokken -apps/erpnext/erpnext/hooks.py +116,Issues,Kwesties +apps/erpnext/erpnext/hooks.py +124,Issues,Kwesties apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status moet één zijn van {0} DocType: Sales Invoice,Debit To,Debitering van DocType: Delivery Note,Required only for sample item.,Alleen benodigd voor Artikelmonster. @@ -2626,6 +2631,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Regio apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vermeld het benodigde aantal bezoeken DocType: Stock Settings,Default Valuation Method,Standaard Waarderingsmethode +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,honorarium DocType: Vehicle Log,Fuel Qty,brandstof Aantal DocType: Production Order Operation,Planned Start Time,Geplande Starttijd DocType: Course,Assessment,Beoordeling @@ -2635,12 +2641,12 @@ 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 +149,Quotation {0} is cancelled,Offerte {0} is geannuleerd -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Totale uitstaande bedrag +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkoop Transacties kunnen worden gelabeld tegen meerdere ** Sales Personen **, zodat u kunt instellen en controleren doelen." ,S.O. No.,VO nr -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Maak Klant van Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Maak Klant van Lead {0} DocType: Price List,Applicable for Countries,Toepasselijk voor Landen apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Alleen verlofaanvragen met de status 'Goedgekeurd' en 'Afgewezen' kunnen worden ingediend apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student groepsnaam is verplicht in de rij {0} @@ -2690,6 +2696,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/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 @@ -2732,8 +2739,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Verplaatsing vo 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.,Kortingspercentage kan worden toegepast tegen een prijslijst of voor alle prijslijsten. DocType: Purchase Invoice,Half-yearly,Halfjaarlijks apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Boekingen voor Voorraad +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,U heeft al beoordeeld op de beoordelingscriteria {}. DocType: Vehicle Service,Engine Oil,Motorolie -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 werknemersnaam in het menselijk hulpmiddel> HR-instellingen DocType: Sales Invoice,Sales Team1,Verkoop Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikel {0} bestaat niet DocType: Sales Invoice,Customer Address,Klant Adres @@ -2761,7 +2768,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Rechtspersoon / Dochteronderneming met een aparte Rekeningschema behoren tot de Organisatie. DocType: Payment Request,Mute Email,Mute-mail apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Voeding, Drank en Tabak" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Commissietarief kan niet groter zijn dan 100 DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Voer {0} eerste @@ -2789,7 +2796,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Maandelijkse presentielijst apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Werknemer {0} heeft reeds gesolliciteerd voor {1} tussen {2} en {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project Start Datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Totdat +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Totdat DocType: Rename Tool,Rename Log,Hernoemen Log apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentgroep of cursusschema is verplicht apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentgroep of cursusschema is verplicht @@ -2814,7 +2821,7 @@ DocType: Purchase Order Item,Returned Qty,Terug Aantal DocType: Employee,Exit,Uitgang apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type is verplicht DocType: BOM,Total Cost(Company Currency),Total Cost (Company Munt) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serienummer {0} aangemaakt +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serienummer {0} aangemaakt DocType: Homepage,Company Description for website homepage,Omschrijving bedrijf voor website homepage DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Voor het gemak van de klanten, kunnen deze codes worden gebruikt in gedrukte formaten zoals facturen en de leveringsbonnen" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Naam @@ -2835,7 +2842,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Cursus Roosters geschrapt: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs voor het behoud van sms afleverstatus DocType: Accounts Settings,Make Payment via Journal Entry,Betalen via Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Gedrukt op +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Gedrukt op DocType: Item,Inspection Required before Delivery,Inspectie vereist voordat Delivery DocType: Item,Inspection Required before Purchase,Inspectie vereist voordat Purchase apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Afwachting Activiteiten @@ -2867,9 +2874,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed 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.,Een wetenschappelijke term met deze 'Academisch Jaar' {0} en 'Term Name' {1} bestaat al. Wijzig deze ingangen en probeer het opnieuw. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Als er bestaande transacties tegen punt {0}, kunt u de waarde van het niet veranderen {1}" +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}","Als er bestaande transacties tegen punt {0}, kunt u de waarde van het niet veranderen {1}" DocType: UOM,Must be Whole Number,Moet heel getal zijn DocType: Leave Control Panel,New Leaves Allocated (In Days),Nieuwe Verloven Toegewezen (in dagen) +DocType: Sales Invoice,Invoice Copy,Factuurkopie apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serienummer {0} bestaat niet DocType: Sales Invoice Item,Customer Warehouse (Optional),Customer Warehouse (optioneel) DocType: Pricing Rule,Discount Percentage,Kortingspercentage @@ -2915,8 +2923,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto dicht Issue na 7 da 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Entries +DocType: Program Enrollment,Boarding Student,Boarding Student DocType: Asset,Expected Value After Useful Life,Verwachte waarde Na Nuttig Life DocType: Item,Reorder level based on Warehouse,Bestelniveau gebaseerd op Warehouse DocType: Activity Cost,Billing Rate,Billing Rate @@ -2944,11 +2954,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selecteer studenten handmatig voor de activiteit gebaseerde groep DocType: Journal Entry,User Remark,Gebruiker Opmerking DocType: Lead,Market Segment,Marktsegment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Betaalde bedrag kan niet groter zijn dan de totale negatieve openstaande bedrag {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Betaalde bedrag kan niet groter zijn dan de totale negatieve openstaande bedrag {0} DocType: Employee Internal Work History,Employee Internal Work History,Werknemer Interne Werk Geschiedenis apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Sluiten (Db) DocType: Cheque Print Template,Cheque Size,Cheque Size -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serienummer {0} niet op voorraad +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serienummer {0} niet op voorraad apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Belasting sjabloon voor verkooptransacties. DocType: Sales Invoice,Write Off Outstanding Amount,Afschrijving uitstaande bedrag apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Rekening {0} komt niet overeen met Bedrijf {1} @@ -2972,7 +2982,7 @@ 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 +348,Add a few sample records,Voeg een paar voorbeeld records toe +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2986,17 +2996,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serienummer en Batch DocType: Warranty Claim,From Company,Van Bedrijf -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Som van de scores van de beoordelingscriteria moet {0} te zijn. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Som van de scores van de beoordelingscriteria moet {0} te zijn. 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 +270,Minute,minuut +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3017,7 +3027,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Kredietrekening apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Maak Salarisstrook apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rij # {0}: Toegewezen bedrag mag niet groter zijn dan het uitstaande bedrag. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Bladeren BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Bladeren BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Leningen met onderpand DocType: Purchase Invoice,Edit Posting Date and Time,Wijzig Posting Datum en tijd apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Stel afschrijvingen gerelateerd Accounts in Vermogensbeheer categorie {0} of Company {1} @@ -3033,7 +3043,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 +278,Select Quantity,Kies aantal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3056,6 +3066,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Niet toegestaan om voorraadtransacties ouder dan {0} bij te werken DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Volledig gefactureerd +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverancier> Type leverancier 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 +127,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) @@ -3094,8 +3105,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Totaal Costing bedrag (via 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 DocType: Customs Tariff Number,Tariff Number,tarief Aantal +DocType: Production Order Item,Available Qty at WIP Warehouse,Beschikbaar Aantal bij WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,verwachte -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serienummer {0} behoort niet tot Magazijn {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serienummer {0} behoort niet tot Magazijn {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,Opmerking : Het systeem controleert niet over- levering en overboeking voor post {0} als hoeveelheid of bedrag 0 DocType: Notification Control,Quotation Message,Offerte Bericht DocType: Employee Loan,Employee Loan Application,Werknemer lening aanvraag @@ -3114,13 +3126,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Vrachtkosten Voucher Bedrag apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Facturen van leveranciers. DocType: POS Profile,Write Off Account,Afschrijvingsrekening -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debietnota Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debietnota Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Korting Bedrag DocType: Purchase Invoice,Return Against Purchase Invoice,Terug Tegen Purchase Invoice 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 +207,e.g. VAT,bijv. BTW +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3128,7 +3140,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 +1945,Please select customer,Maak een keuze van de klant +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3157,7 +3169,7 @@ DocType: Lead,Address Desc,Adres Omschr apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party is verplicht DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,topic Naam -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Tenminste een van de verkopen of aankopen moeten worden gekozen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Tenminste een van de verkopen of aankopen moeten worden gekozen apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selecteer de aard van uw bedrijf. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rij # {0}: Duplicate entry in Referenties {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Waar de productie-activiteiten worden uitgevoerd. @@ -3166,7 +3178,7 @@ 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} DocType: Employee,Confirmation Date,Bevestigingsdatum DocType: C-Form,Total Invoiced Amount,Totaal Gefactureerd bedrag -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn +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 DocType: Account,Accumulated Depreciation,Cumulatieve afschrijvingen DocType: Stock Entry,Customer or Supplier Details,Klant of leverancier Details DocType: Employee Loan Application,Required by Date,Vereist door Date @@ -3195,10 +3207,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Inkooporder A apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Bedrijfsnaam kan niet bedrijf zijn apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Briefhoofden voor print sjablonen. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titels voor print sjablonen bijv. Proforma Factuur. +DocType: Program Enrollment,Walking,wandelen DocType: Student Guardian,Student Guardian,student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Soort waardering kosten kunnen niet zo Inclusive gemarkeerd DocType: POS Profile,Update Stock,Voorraad bijwerken -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverancier> Type leverancier apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Verschillende eenheden voor artikelen zal leiden tot een onjuiste (Totaal) Netto gewicht. Zorg ervoor dat Netto gewicht van elk artikel in dezelfde eenheid is. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Stuklijst tarief DocType: Asset,Journal Entry for Scrap,Dagboek voor Productieverlies @@ -3252,7 +3264,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Toon tax break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3272,14 +3283,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Standaard Kasrekening apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Bedrijf ( geen klant of leverancier ) meester. 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 +176,No Students in,Geen studenten in +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 +108,Please enter 'Expected Delivery Date',Vul 'Verwachte leverdatum' in apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Ongeldige GSTIN of voer NA in voor niet-geregistreerde +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3320,23 @@ DocType: Sales Team,Contribution (%),Bijdrage (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Opmerking: De betaling wordt niet aangemaakt, aangezien de 'Kas- of Bankrekening' niet gespecificeerd is." apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Verantwoordelijkheden DocType: Expense Claim Account,Expense Claim Account,Declaratie Account +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in voor {0} via Setup> Settings> Naming Series DocType: Sales Person,Sales Person Name,Verkoper Naam apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vul tenminste 1 factuur in in de tabel +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Gebruikers toevoegen DocType: POS Item Group,Item Group,Artikelgroep DocType: Item,Safety Stock,Veiligheidsvoorraad apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Voortgang% voor een taak kan niet meer dan 100 zijn. DocType: Stock Reconciliation Item,Before reconciliation,Voordat verzoening apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Naar {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Belastingen en Toeslagen toegevoegd (Bedrijfsvaluta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Tax Rij {0} moet rekening houden met het type belasting of inkomsten of uitgaven of Chargeable +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Tax Rij {0} moet rekening houden met het type belasting of inkomsten of uitgaven of Chargeable DocType: Sales Order,Partly Billed,Deels Gefactureerd apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} moet een post der vaste activa zijn DocType: Item,Default BOM,Standaard Stuklijst -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debietnota Bedrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debietnota Bedrag apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Gelieve re-type bedrijfsnaam te bevestigen -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totale uitstaande Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totale uitstaande Amt DocType: Journal Entry,Printing Settings,Instellingen afdrukken DocType: Sales Invoice,Include Payment (POS),Inclusief Betaling (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Totaal Debet moet gelijk zijn aan Totaal Credit. Het verschil is {0} @@ -3331,20 +3344,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Verzekeringsbedrijf DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabele -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Van Vrachtbrief +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Van Vrachtbrief DocType: Student,Student Email Address,Student e-mailadres DocType: Timesheet Detail,From Time,Van Tijd apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Op voorraad: DocType: Notification Control,Custom Message,Aangepast bericht apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kas- of Bankrekening is verplicht om een betaling aan te maken -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 bijwonen via Setup> Nummerreeks apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentenadres apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentenadres 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 +1517,Address Name,Adres naam +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3361,7 +3373,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3369,7 +3381,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Voer waarde moet positief zijn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3378,7 +3390,7 @@ DocType: Process Payroll,Process Payroll,Verwerk Salarisadministratie apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Er zijn meer vakanties dan werkdagen deze maand . DocType: Product Bundle Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Verkoop Partner Naam -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Verzoek om Offertes +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Verzoek om Offertes DocType: Payment Reconciliation,Maximum Invoice Amount,Maximumfactuur Bedrag DocType: Student Language,Student Language,student Taal apps/erpnext/erpnext/config/selling.py +23,Customers,Klanten @@ -3389,7 +3401,7 @@ DocType: Asset,Partially Depreciated,gedeeltelijk afgeschreven DocType: Issue,Opening Time,Opening Tijd apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Van en naar data vereist apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & Commodity Exchanges -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage @@ -3408,7 +3420,7 @@ 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 +266,Raw Material,grondstof +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3420,7 +3432,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Openingsdatum moeten vóór Sluitingsdatum -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in voor {0} via Setup> Settings> Naming Series 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. @@ -3433,8 +3444,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Volgnummers zijn vereist voor Seriegebonden Artikel {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Invoer DocType: Authorization Rule,Applicable To (Designation),Van toepassing zijn op (Benaming) @@ -3451,7 +3462,7 @@ 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 +270,Hour,uur +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3461,7 +3472,7 @@ 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3478,8 +3489,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn. +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/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. @@ -3505,14 +3516,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 +465,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 +466,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 +834,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 +835,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 @@ -3544,7 +3555,7 @@ 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 +436,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Billing State @@ -3592,7 +3603,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Instellingen voor website homepage 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 +214,Invalid attribute {0} {1},Ongeldige eigenschap {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Selecteer de beoordelingsgroep anders dan 'Alle beoordelingsgroepen' @@ -3694,16 +3705,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,salaris Components DocType: Program Enrollment Tool,New Academic Year,New Academisch Jaar apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert Prijslijst tarief als vermist -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Totale betaalde bedrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Totale betaalde bedrag DocType: Production Order Item,Transferred Qty,Verplaatst Aantal apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigeren apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planning 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 +272,We sell this Item,Wij verkopen dit artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3751,7 +3764,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 +1186,Please set Company,Stel alsjeblieft bedrijf in +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3768,13 +3781,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,Verzamel Vergoedingen DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} is al gebruikt in het Item {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} is al gebruikt in het Item {1} DocType: Lead,Add to calendar on this date,Toevoegen aan agenda op deze datum apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten. DocType: Item,Opening Stock,Opening Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klant is verplicht apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} is verplicht voor Return DocType: Purchase Order,To Receive,Ontvangen +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Persoonlijke e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien aangevinkt, zal het systeem voorraadboekingen automatisch plaatsen." @@ -3786,7 +3800,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 +541,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken +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 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 @@ -3794,7 +3808,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Uit de garantie DocType: BOM Replace Tool,Replace,Vervang apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Geen producten gevonden. -DocType: Production Order,Unstopped,ontsloten apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} tegen verkoopfactuur {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Naam van het project @@ -3805,6 +3818,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} 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 @@ -3842,9 +3856,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Van Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Syntaxisfout in formule of aandoening: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Dagelijks Werk Samenvatting Instellingen Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Artikel {0} genegeerd omdat het niet een voorraadartikel is +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 +40,Submit this Production Order for further processing.,Dien deze productieorder in voor verdere verwerking . +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/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 @@ -3852,12 +3866,14 @@ 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 +209,Rate (%),Tarief (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Stel alsjeblieft Bedrijfsfilter leeg als Group By is 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting datum kan niet de toekomst datum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Rij # {0}: Serienummer {1} komt niet overeen met {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3886,7 +3902,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Voorraad Dagboek post apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Artikel {0} is niet ingesteld voor serienummers. Kolom moet leeg zijn +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 DocType: Accounts Settings,Accounts Settings,Rekeningen Instellingen apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Goedkeuren DocType: Customer,Sales Partner and Commission,Sales Partner en de Commissie @@ -3901,7 +3917,7 @@ 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 +62,{0} items produced,{0} items geproduceerd +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3915,7 +3931,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via E 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} DocType: Journal Entry Account,Exchange Rate,Wisselkoers -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3940,18 +3956,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Terugbetalen vast bedrag per periode apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vul het aantal in voor artikel {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Note Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Credit Note Amt DocType: Employee External Work History,Employee External Work History,Werknemer Externe Werk Geschiedenis DocType: Tax Rule,Purchase,Inkopen apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balans Aantal @@ -3977,7 +3993,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 +2383,Select items to save the invoice,Selecteer items om de factuur te slaan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -4007,6 +4023,7 @@ DocType: Guardian,Guardian Of ,Beschermer van DocType: Grading Scale Interval,Threshold,Drempel DocType: BOM Replace Tool,Current BOM,Huidige Stuklijst apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Voeg Serienummer toe +DocType: Production Order Item,Available Qty at Source Warehouse,Beschikbaar Aantal bij Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie DocType: Purchase Invoice,Debit Note Issued,Debetnota DocType: Production Order,Warehouses,Magazijnen @@ -4022,13 +4039,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Betaald bedrag apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager ,Quoted Item Comparison,Geciteerd Item Vergelijking apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maximale korting toegestaan voor artikel: {0} is {1}% +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 +279,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 +879,Select Items to Manufacture,Selecteer Items voor fabricage -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren" +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" DocType: Item,Material Issue,Materiaal uitgifte DocType: Hub Settings,Seller Description,Verkoper Beschrijving DocType: Employee Education,Qualification,Kwalificatie @@ -4052,7 +4069,7 @@ DocType: POS Profile,Terms and Conditions,Algemene Voorwaarden 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 +200,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 +198,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 @@ -4072,7 +4089,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Om dit boekjaar in te stellen als standaard, klik op 'Als standaard instellen'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Indiensttreding apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Tekort Aantal -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken DocType: Employee Loan,Repay from Salary,Terugbetalen van Loon DocType: Leave Application,LAP/,RONDE/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Betalingsverzoeken tegen {0} {1} van {2} bedrag @@ -4090,18 +4107,18 @@ 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 +1011,It is needed to fetch Item Details.,Het is nodig om Item Details halen. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serienummer {0} is reeds ontvangen +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serienummer {0} is reeds ontvangen ,Requested Items To Be Transferred,Aangevraagde Artikelen te Verplaatsen 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 +1312,Delete permanently?,Permanent verwijderen? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Ongeldige {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ongeldige {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Ziekteverlof DocType: Email Digest,Email Digest,E-mail Digest DocType: Delivery Note,Billing Address Name,Factuuradres Naam @@ -4114,6 +4131,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Aan te rekenen DocType: Company,Change Abbreviation,Afkorting veranderen DocType: Expense Claim Detail,Expense Date,Kosten Datum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelcode> Itemgroep> Merk DocType: Item,Max Discount (%),Max Korting (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Laatste Orderbedrag DocType: Task,Is Milestone,Is Milestone @@ -4137,8 +4155,8 @@ DocType: Program Enrollment Tool,New Program,nieuw programma DocType: Item Attribute Value,Attribute Value,Eigenschap Waarde ,Itemwise Recommended Reorder Level,Artikelgebaseerde Aanbevolen Bestelniveau DocType: Salary Detail,Salary Detail,salaris Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Selecteer eerst {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verlopen. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Selecteer eerst {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verlopen. DocType: Sales Invoice,Commission,commissie apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet voor de productie. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotaal @@ -4163,12 +4181,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 +399,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 +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/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 +387,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 +382,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 @@ -4198,7 +4216,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,verwijdering Date DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emails worden meegedeeld aan alle actieve werknemers van het bedrijf worden verzonden op het opgegeven uur, als ze geen vakantie. Samenvatting van de reacties zal worden verzonden om middernacht." DocType: Employee Leave Approver,Employee Leave Approver,Werknemer Verlof Fiatteur -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kan niet als verloren instellen, omdat offerte is gemaakt." 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 @@ -4232,6 +4250,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organisatie -eenheid (departement) meester. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Voer geldige mobiele nummers in apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vul bericht in alvorens te verzenden +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE VOOR LEVERANCIER DocType: Email Digest,Pending Quotations,In afwachting van Citaten apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profile apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Werk SMS-instellingen bij @@ -4240,7 +4259,7 @@ DocType: Cost Center,Cost Center Name,Kostenplaats Naam DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max werkuren tegen Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Geplande Datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totale betaalde Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Totale betaalde Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Bericht van meer dan 160 tekens worden opgesplitst in meerdere berichten DocType: Purchase Receipt Item,Received and Accepted,Ontvangen en geaccepteerd ,GST Itemised Sales Register,GST Itemized Sales Register @@ -4250,7 +4269,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 +237,Your Suppliers,Uw Leveranciers +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan niet aftrekken als categorie is voor 'Valuation' of 'Vaulation en Total' @@ -4262,7 +4281,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Afbeelding {0} verbonden aan Item {1} kan niet worden gevonden +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. @@ -4277,7 +4296,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Wat doet het apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Tot Magazijn apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle studentenadministratie ,Average Commission Rate,Gemiddelde Commissie Rate -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Heeft Serienummer' kan niet 'ja' zijn voor niet- voorraad artikel +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Heeft Serienummer' kan niet 'ja' zijn voor niet- voorraad artikel apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Aanwezigheid kan niet aangemerkt worden voor toekomstige data DocType: Pricing Rule,Pricing Rule Help,Prijsbepalingsregel Help DocType: School House,House Name,Huis naam @@ -4293,7 +4312,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 +339,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 +340,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 @@ -4308,20 +4327,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Loonstrook van de werknemer {0} al gemaakt voor urenregistratie {1} DocType: Vehicle Log,Odometer,Kilometerteller DocType: Sales Order Item,Ordered Qty,Besteld Aantal -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Punt {0} is uitgeschakeld +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Genereer Salarisstroken -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Aankopen moeten worden gecontroleerd, indien ""VAN TOEPASSING VOOR"" is geselecteerd als {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Aankopen moeten worden gecontroleerd, indien ""VAN TOEPASSING VOOR"" is geselecteerd als {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Korting moet minder dan 100 zijn 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 +500,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Vrachtkosten Voucher @@ -4383,7 +4402,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Verwachte datum kan niet voor de Material Aanvraagdatum DocType: Purchase Invoice Item,Stock Qty,Aantal voorraad -DocType: Production Order,Source Warehouse (for reserving Items),Bron Warehouse (voor het reserveren van Items) DocType: Employee Loan,Repayment Period in Months,Terugbetaling Periode in maanden apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fout: geen geldig id? DocType: Naming Series,Update Series Number,Serienummer bijwerken @@ -4432,7 +4450,7 @@ DocType: Production Order,Planned End Date,Geplande Einddatum apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Waar artikelen worden opgeslagen. DocType: Request for Quotation,Supplier Detail,Leverancier Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Fout in formule of aandoening: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Factuurbedrag +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Factuurbedrag DocType: Attendance,Attendance,Aanwezigheid apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stock items DocType: BOM,Materials,Materialen @@ -4473,10 +4491,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup een eenvoudige website voor mijn organisatie +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0} DocType: Item,Default Warehouse,Standaard Magazijn apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kan niet tegen Group rekening worden toegewezen {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vul bovenliggende kostenplaats in @@ -4538,7 +4556,7 @@ 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 +1344,Select or add new customer,Selecteer of voeg nieuwe klant +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/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 @@ -4546,6 +4564,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Installeer alsjeblieft Employee Naming System in Human Resource> HR Settings 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 +231,{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. @@ -4568,7 +4587,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' @@ -4588,7 +4607,7 @@ DocType: POS Profile,Account for Change Amount,Account for Change Bedrag apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rij {0}: Party / Account komt niet overeen met {1} / {2} in {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vul Kostenrekening in DocType: Account,Stock,Voorraad -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rij # {0}: Reference document moet een van Purchase Order, Purchase Invoice of Inboeken zijn" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rij # {0}: Reference document moet een van Purchase Order, Purchase Invoice of Inboeken zijn" DocType: Employee,Current Address,Huidige adres DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Als artikel is een variant van een ander item dan beschrijving, afbeelding, prijzen, belastingen etc zal worden ingesteld van de sjabloon, tenzij expliciet vermeld" DocType: Serial No,Purchase / Manufacture Details,Inkoop / Productie Details @@ -4627,11 +4646,12 @@ DocType: Student,Home Address,Thuisadres apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset DocType: POS Profile,POS Profile,POS Profiel DocType: Training Event,Event Name,Evenement naam -apps/erpnext/erpnext/config/schools.py +39,Admission,Toelating +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Toelating apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Opnames voor {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} is een sjabloon, selecteert u één van de varianten" DocType: Asset,Asset Category,Asset Categorie +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Koper apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettoloon kan niet negatief zijn DocType: SMS Settings,Static Parameters,Statische Parameters DocType: Assessment Plan,Room,Kamer @@ -4640,6 +4660,7 @@ DocType: Item,Item Tax,Artikel Belasting apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiaal aan Leverancier apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klant> Klantengroep> Territorium DocType: Expense Claim,Employees Email Id,Medewerkers E-mail ID DocType: Employee Attendance Tool,Marked Attendance,Gemarkeerde Attendance apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kortlopende Schulden @@ -4711,6 +4732,7 @@ DocType: Leave Type,Is Carry Forward,Is Forward Carry apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Samenvatting diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv index 9ef26dde6b..671aa1cdd8 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Holiday List -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Accountant +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Accountant DocType: Cost Center,Stock User,Stock User DocType: Company,Phone No,Telefonnr apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursrutetider opprettet: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ikke tillatt for {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Få elementer fra -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Ikke elementer funnet +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,lager rapporter DocType: Warehouse,Warehouse Detail,Warehouse Detalj apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredittgrense er krysset for kunde {0} {1} / {2} 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.,"Begrepet Sluttdato kan ikke være senere enn året sluttdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Fra {0} til {1} DocType: Item,Copy From Item Group,Kopier fra varegruppe DocType: Journal Entry,Opening Entry,Åpning Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Bare konto Pay DocType: Employee Loan,Repay Over Number of Periods,Betale tilbake over antall perioder DocType: Stock Entry,Additional Costs,Tilleggskostnader @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Eiendom -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoutskrift +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 DocType: Purchase Invoice Item,Is Fixed Asset,Er Fast Asset apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tilgjengelig stk er {0}, må du {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Konsum +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +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. 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 +302,Example: Basic Mathematics,Eksempel: Grunnleggende matematikk +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/config/hr.py +214,Settings for HR Module,Innstillinger for HR Module DocType: SMS Center,SMS Center,SMS-senter @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Elementer og priser apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Antall timer: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Fra dato bør være innenfor regnskapsåret. Antar Fra Date = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Quotes DocType: Customer,Individual,Individuell DocType: Interest,Academics User,akademikere Bruker DocType: Cheque Print Template,Amount In Figure,Beløp I figur @@ -265,7 +266,7 @@ DocType: Employee,Create User,Opprett bruker DocType: Selling Settings,Default Territory,Standard Territory apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,TV DocType: Production Order Operation,Updated via 'Time Log',Oppdatert via 'Time Logg' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance beløpet kan ikke være større enn {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance beløpet kan ikke være større enn {0} {1} DocType: Naming Series,Series List for this Transaction,Serien Liste for denne transaksjonen DocType: Company,Enable Perpetual Inventory,Aktiver evigvarende beholdning DocType: Company,Default Payroll Payable Account,Standard Lønn betales konto @@ -273,7 +274,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 +177,For Warehouse is required before Submit,For Warehouse er nødvendig før Send +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","Localstorage er full, ikke spare" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontakt Navn +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lindrende Dato må være større enn tidspunktet for inntreden apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Later per år 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 +189,Warehouse {0} does not belong to company {1},Warehouse {0} ikke tilhører selskapet {1} +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 +270,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Årlig DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Avstemming Element @@ -315,7 +316,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 +316,People who teach at your organisation,Folk som underviser i organisasjonen +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Tillater brukeren å redigere Range 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 +699,Item {0} is cancelled,Element {0} er kansellert +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 +882,Material Request,Materialet Request DocType: Bank Reconciliation,Update Clearance Date,Oppdater Lagersalg Dato DocType: Item,Purchase Details,Kjøps Detaljer @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Flåtesjef apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} registrert to ganger i pkt Skatte +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} registrert to ganger i pkt Skatte apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Oppsummering for denne uken og ventende aktiviteter DocType: Student Applicant,Admitted,innrømmet DocType: Workstation,Rent Cost,Rent Cost @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Mottatt apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Opprett studentgrupper apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Oppsett Allerede Komplett !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kreditt Note Beløp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kreditt Note Beløp ,Finished Goods,Ferdigvarer DocType: Delivery Note,Instructions,Bruksanvisning DocType: Quality Inspection,Inspected By,Inspisert av @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Opprett en ny kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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/utilities/activation.py +88,Create Purchase Orders,Opprette innkjøpsordrer ,Purchase Register,Kjøp Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges. +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/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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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å -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attributtet {0} valgt flere ganger i attributter Table +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Attributtet {0} valgt flere ganger i attributter Table DocType: HR Settings,Employee record is created using selected field. ,Ansatt posten er opprettet ved hjelp av valgte feltet. DocType: Sales Order,Not Applicable,Gjelder ikke apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday mester. @@ -529,7 +531,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 +219,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 +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/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" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Skriv inn Warehouse hvor Material Request vil bli hevet DocType: Production Order,Additional Operating Cost,Ekstra driftskostnader apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetikk -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Å fusjonere, må følgende egenskaper være lik for begge elementene" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Å fusjonere, må følgende egenskaper være lik for begge elementene" DocType: Shipping Rule,Net Weight,Netto Vekt DocType: Employee,Emergency Phone,Emergency Phone apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kjøpe @@ -554,7 +556,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 +2428,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 +2522,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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Legg til / Rediger skatter og avgifter DocType: Purchase Invoice,Supplier Invoice No,Leverandør Faktura Nei DocType: Territory,For reference,For referanse -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan ikke slette Serial No {0}, slik det brukes i aksjetransaksjoner" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan ikke slette Serial No {0}, slik det brukes i aksjetransaksjoner" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Lukking (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Flytt element DocType: Serial No,Warranty Period (Days),Garantiperioden (dager) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vennligst velg først selskapet og Party Type apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finansiell / regnskap år. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,akkumulerte verdier -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Sorry, kan Serial Nos ikke bli slått sammen" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Sorry, kan Serial Nos ikke bli slått sammen" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Gjør Salgsordre DocType: Project Task,Project Task,Prosjektet Task ,Lead Id,Lead Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Bevilge apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return 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,Merk: Totalt tildelte blader {0} bør ikke være mindre enn allerede innvilgede permisjoner {1} for perioden +,Total Stock Summary,Totalt lageroppsummering DocType: Announcement,Posted By,Postet av DocType: Item,Delivered by Supplier (Drop Ship),Levert av Leverandør (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Database med potensielle kunder. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kundedatabase. DocType: Quotation,Quotation To,Sitat Å DocType: Lead,Middle Income,Middle Income apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Åpning (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard Enhet for Element {0} kan ikke endres direkte fordi du allerede har gjort noen transaksjon (er) med en annen målenheter. Du må opprette et nytt element for å bruke et annet standardmålenheter. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard Enhet for Element {0} kan ikke endres direkte fordi du allerede har gjort noen transaksjon (er) med en annen målenheter. Du må opprette et nytt element for å bruke et annet standardmålenheter. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Bevilget beløpet kan ikke være negativ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vennligst sett selskapet apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vennligst sett selskapet @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maksimal Assessment Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Oppdater Banktransaksjons Datoer apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKERER FOR TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Regnskapsåret selskapet DocType: Packing Slip Item,DN Detail,DN Detalj DocType: Training Event,Conference,Konferanse @@ -684,8 +688,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 +320,Timesheet created:,Timeregistrering opprettet: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -714,7 +718,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 +139,Finish,Bli ferdig +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Bli ferdig apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Utgangspunkt DocType: Timesheet,Total Billed Hours,Totalt fakturert timer DocType: Journal Entry,Write Off Amount,Skriv Off Beløp @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,Selger by ,Absent Student Report,Fraværende Student Rapporter DocType: Email Digest,Next email will be sent on:,Neste post vil bli sendt på: DocType: Offer Letter Term,Offer Letter Term,Tilby Letter Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Elementet har varianter. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Elementet har varianter. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Element {0} ikke funnet DocType: Bin,Stock Value,Stock Verdi apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Selskapet {0} finnes ikke @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Gjør Timeregistrering +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ 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 DocType: Request for Quotation Supplier,Send Email,Send E-Post -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advarsel: Ugyldig Vedlegg {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ingen tillatelse +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Advarsel: Ugyldig Vedlegg {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Ingen tillatelse 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -866,7 +870,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 +274,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 +275,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 @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} må være aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} tilhører ikke Element {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial No {0} tilhører ikke Element {1} DocType: Purchase Receipt Item Supplied,Required Qty,Påkrevd antall apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til hovedbok. DocType: Bank Reconciliation,Total Amount,Totalbeløp @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponenter apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Fyll inn Asset kategori i Element {0} DocType: Quality Inspection Reading,Reading 6,Reading 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uten noen negativ utestående faktura +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uten noen negativ utestående faktura DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fakturaen Advance DocType: Hub Settings,Sync Now,Synkroniser nå apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rad {0}: Credit oppføring kan ikke være knyttet til en {1} @@ -992,12 +996,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 +731,New Sales Invoice,Ny salgsfaktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Synkroniser Offline Fakturaer +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kjemisk DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Standard Bank / minibank konto vil bli automatisk oppdatert i Lønn bilagsregistrering når denne modusen er valgt. DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Selskap Valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle elementene er allerede blitt overført til denne produksjonsordre. +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 +270,Meter,Måler +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1064,7 +1068,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 +259,Qty for {0},Antall for {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Cash / Bank Account apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vennligst oppgi en {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Fjernet elementer med ingen endring i mengde eller verdi. DocType: Delivery Note,Delivery To,Levering Å -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributt tabellen er obligatorisk +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Attributt tabellen er obligatorisk DocType: Production Planning Tool,Get Sales Orders,Få salgsordrer -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan ikke være negativ +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,Rabatt DocType: Asset,Total Number of Depreciations,Totalt antall Avskrivninger DocType: Sales Invoice Item,Rate With Margin,Vurder med margin @@ -1115,7 +1119,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 +1546,ZIP Code,Post kode +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1134,7 +1138,7 @@ 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 +238,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 +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/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) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Vennligst sett 'Apply Ytterligere rabatt på' +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 DocType: Global Defaults,Global Defaults,Global Defaults @@ -1167,10 +1171,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 +22,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 +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} 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 +347,Capacity Planning Error,Kapasitetsplanlegging Error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapasitetsplanlegging Error ,Trial Balance for Party,Trial Balance for partiet DocType: Lead,Consultant,Konsulent DocType: Salary Slip,Earnings,Inntjeningen @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,Er Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Retur / debitnota DocType: Price List Country,Price List Country,Prisliste Land DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} gyldig serie nos for Element {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} gyldig serie nos for Element {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Elementkode kan ikke endres for Serial No. 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} allerede opprettet for user: {1} og selskapet {2} DocType: Sales Invoice Item,UOM Conversion Factor,Målenheter Omregningsfaktor @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ',Koste Center For Element med Element kode ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1242,7 +1246,7 @@ 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,Vis Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} kan ikke ha Batch @@ -1271,7 +1275,7 @@ 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 +288,Example: Masters in Computer Science,Eksempel: Masters i informatikk +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1282,7 +1286,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig +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/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} \ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Utstedelsessted apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakts DocType: Email Digest,Add Quote,Legg Sitat -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Målenheter coversion faktor nødvendig for målenheter: {0} i Sak: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Målenheter coversion faktor nødvendig for målenheter: {0} i Sak: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Dine produkter eller tjenester +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 DocType: Mode of Payment,Mode of Payment,Modus for betaling -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dette er en rot varegruppe og kan ikke redigeres. @@ -1325,14 +1329,13 @@ 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 +562,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Produksjonsordrestatus er {0} DocType: Appraisal Goal,Goal,Mål DocType: Sales Invoice Item,Edit Description,Rediger Beskrivelse ,Team Updates,laget Oppdateringer @@ -1348,14 +1351,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barn lager finnes for dette lageret. Du kan ikke slette dette lageret. DocType: Item,Website Item Groups,Website varegrupper DocType: Purchase Invoice,Total (Company Currency),Total (Company Valuta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} angitt mer enn én gang +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 +78,{0} items in progress,{0} elementer i fremgang +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1414,7 +1417,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1429,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1437,7 +1439,7 @@ DocType: Sales Invoice,Shipping Address Name,Leveringsadresse Navn apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Konto DocType: Material Request,Terms and Conditions Content,Betingelser innhold apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,kan ikke være større enn 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Element {0} er ikke en lagervare +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Element {0} er ikke en lagervare DocType: Maintenance Visit,Unscheduled,Ikke planlagt DocType: Employee,Owned,Eies DocType: Salary Detail,Depends on Leave Without Pay,Avhenger La Uten Pay @@ -1468,7 +1470,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 +273,We buy this Item,Vi kjøper denne varen +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1479,7 +1481,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 +266,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Asset Name DocType: Project,Task Weight,Task Vekt DocType: Shipping Rule Condition,To Value,I Value @@ -1512,12 +1514,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ingen poster ble funnet i Payment tabellen apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Denne {0} konflikter med {1} for {2} {3} DocType: Student Attendance Tool,Students HTML,studenter HTML DocType: POS Profile,Apply Discount,Bruk rabatt -DocType: Purchase Invoice Item,GST HSN Code,GST HSN-kode +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 +283,Packing Slip(s) cancelled,Pakking Slip (s) kansellert @@ -1560,8 +1562,8 @@ 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 +2573,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Eske +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 +873,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 @@ -1591,7 +1593,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,tilbakebetaling Method DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis det er merket, vil hjemmesiden være standard Varegruppe for nettstedet" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Standard BOM for {0} ikke funnet for Prosjekt {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Krav på bekostning av selskapet. 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} @@ -1608,29 +1609,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Ny oppgave apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Gjør sitat apps/erpnext/erpnext/config/selling.py +216,Other Reports,andre rapporter DocType: Dependent Task,Dependent Task,Avhengig Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Enhet må være en i rad {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Enhet må være en i rad {0} 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} DocType: SMS Center,Receiver List,Mottaker List -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Søk Element +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,allerede fullført +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Kundens POS-ID DocType: Account,Account Name,Brukernavn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Fra dato ikke kan være større enn To Date -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} mengde {1} kan ikke være en brøkdel +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} mengde {1} kan ikke være en brøkdel apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverandør Type mester. DocType: Purchase Order Item,Supplier Part Number,Leverandør delenummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Konverteringsfrekvens kan ikke være 0 eller 1 @@ -1638,6 +1639,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vehicle Publiseringsdato +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Standard Betales konto apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Innstillinger for online shopping cart som skipsregler, prisliste etc." @@ -1692,7 +1694,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Inkluder hellig inn DocType: Sales Invoice,Packed Items,Lunsj Items apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantikrav mot Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Erstatte en bestemt BOM i alle andre stykklister der det brukes. Det vil erstatte den gamle BOM link, oppdatere kostnader og regenerere "BOM Explosion Item" bord som per ny BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Aktiver Handlevogn DocType: Employee,Permanent Address,Permanent Adresse apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1728,6 +1730,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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 @@ -1747,7 +1750,7 @@ 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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1763,7 +1766,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hoved apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Still prefiks for nummerering serien på dine transaksjoner DocType: Employee Attendance Tool,Employees HTML,ansatte HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal 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 @@ -1776,7 +1779,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 +175,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 +173,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 @@ -1784,7 +1787,7 @@ DocType: Item,Serial Nos and Batches,Serienummer og partier apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppestyrke apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal Entry {0} har ikke noen enestående {1} oppføring apps/erpnext/erpnext/config/hr.py +137,Appraisals,medarbeidersamtaler -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplisere serie Ingen kom inn for Element {0} +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" @@ -1793,7 +1796,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} må sendes +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Betaling @@ -1812,12 +1815,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,New Handlekurv +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1843,7 +1846,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Få elementer fra innkjøps Receipts DocType: Serial No,Creation Date,Dato opprettet apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Element {0} forekommer flere ganger i Prisliste {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Selling må sjekkes, hvis dette gjelder for er valgt som {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Selling må sjekkes, hvis dette gjelder for er valgt som {0}" DocType: Production Plan Material Request,Material Request Date,Materiale Request Dato DocType: Purchase Order Item,Supplier Quotation Item,Leverandør sitat Element DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Deaktiverer etableringen av tids logger mot produksjonsordrer. Driften skal ikke spores mot produksjonsordre @@ -1860,12 +1863,12 @@ DocType: Supplier,Supplier of Goods or Services.,Leverandør av varer eller tjen DocType: Budget,Fiscal Year,Regnskapsår DocType: Vehicle Log,Fuel Price,Fuel Pris DocType: Budget,Budget,Budsjett -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fast Asset varen må være et ikke-lagervare. +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 +209,e.g. 5,f.eks 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1874,7 +1877,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,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 +263,A Product or Service,Et produkt eller tjeneste +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1949,7 +1952,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1968,10 +1971,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Faktisk Sluttdato (via Timeregistrering) 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 +160,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 +342,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto +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 DocType: Shipping Rule Condition,Shipping Amount,Fraktbeløp -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Legg til kunder +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1988,6 +1991,7 @@ DocType: Journal Entry,Accounts Receivable,Kundefordringer ,Supplier-Wise Sales Analytics,Leverandør-Wise Salgs Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Skriv inn beløpet som betales DocType: Salary Structure,Select employees for current Salary Structure,Velg ansatte for nåværende lønn struktur +DocType: Sales Invoice,Company Address Name,Bedriftsadresse Navn DocType: Production Order,Use Multi-Level BOM,Bruk Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Inkluder forsonet Entries 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)" @@ -2008,7 +2012,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 +269,Unit,Enhet +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2030,7 +2034,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,beløp Difference @@ -2039,7 +2043,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klassifisering av kunder etter region apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Forskjellen Beløpet må være null DocType: Project,Gross Margin,Bruttomargin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Skriv inn Produksjon varen først +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 +748,Quotation,Sitat @@ -2051,7 +2055,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Kunde / Lead Adresse -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldig SSL-sertifikat på vedlegg {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldig SSL-sertifikat på vedlegg {0} DocType: Student Admission,Eligibility,kvalifikasjon apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads hjelpe deg å få virksomheten, legge til alle dine kontakter og mer som dine potensielle kunder" DocType: Production Order Operation,Actual Operation Time,Selve Operasjon Tid @@ -2070,11 +2074,11 @@ DocType: Appraisal,Calculate Total Score,Beregn Total Score DocType: Request for Quotation,Manufacturing Manager,Produksjonssjef apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} er under garanti opptil {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split følgeseddel i pakker. -apps/erpnext/erpnext/hooks.py +87,Shipments,Forsendelser +apps/erpnext/erpnext/hooks.py +94,Shipments,Forsendelser DocType: Payment Entry,Total Allocated Amount (Company Currency),Totalt tildelte beløp (Selskap Valuta) DocType: Purchase Order Item,To be delivered to customer,Som skal leveres til kunde DocType: BOM,Scrap Material Cost,Skrap Material Cost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial No {0} tilhører ikke noen Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial No {0} tilhører ikke noen Warehouse DocType: Purchase Invoice,In Words (Company Currency),I Words (Company Valuta) DocType: Asset,Supplier,Leverandør DocType: C-Form,Quarter,Quarter @@ -2089,11 +2093,10 @@ DocType: Leave Application,Total Leave Days,Totalt La Days DocType: Email Digest,Note: Email will not be sent to disabled users,Merk: E-post vil ikke bli sendt til funksjonshemmede brukere apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antall interaksjoner apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antall interaksjoner -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke 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 +408,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2137,7 +2140,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Expense krav Detalj -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Velg riktig konto +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT FOR LEVERANDØR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Velg riktig konto DocType: Item,Weight UOM,Vekt målenheter DocType: Salary Structure Employee,Salary Structure Employee,Lønn Struktur Employee DocType: Employee,Blood Group,Blodgruppe @@ -2159,7 +2163,7 @@ DocType: Student,Guardians,Voktere 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 +336,Debit To is required,Debet Å kreves +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2172,7 +2176,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Ubetalte: {0 DocType: BOM Website Operation,BOM Website Operation,BOM Nettstedet Operasjon apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Tilbudsbrev apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generere Material Requests (MRP) og produksjonsordrer. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total Fakturert Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Total Fakturert Amt DocType: BOM,Conversion Rate,konverterings~~POS=TRUNC apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produktsøk DocType: Timesheet Detail,To Time,Til Time @@ -2187,7 +2191,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Trening Hendelses Employee -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienumre som kreves for Element {1}. Du har gitt {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienumre som kreves for Element {1}. Du har gitt {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Nåværende Verdivurdering Rate DocType: Item,Customer Item Codes,Kunden element Codes apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Valutagevinst / tap @@ -2235,7 +2239,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 +2454,Select Batch No,Velg batchnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2259,19 +2263,19 @@ DocType: Leave Block List,Allow Users,Gi brukere DocType: Purchase Order,Customer Mobile No,Kunden Mobile No DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spor separat inntekter og kostnader for produkt vertikaler eller divisjoner. DocType: Rename Tool,Rename Tool,Rename Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Oppdater Cost +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 +438,Show Salary Slip,Vis Lønn Slip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Vennligst sett gjentakende etter lagring -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Velg endring mengde konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Legg Skatter +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2282,6 +2286,7 @@ DocType: Stock Entry,Purchase Receipt No,Kvitteringen Nei apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Penger DocType: Process Payroll,Create Salary Slip,Lag Lønn Slip apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporbarhet +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC-kode 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 @@ -2311,7 +2316,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vedlikeholdsplan Detalj DocType: Quality Inspection Reading,Reading 9,Lese 9 DocType: Supplier,Is Frozen,Er Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Gruppe node lageret er ikke lov til å velge for transaksjoner +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Gruppe node lageret er ikke lov til å velge for transaksjoner DocType: Buying Settings,Buying Settings,Kjøpe Innstillinger DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. for et ferdig God Sak DocType: Upload Attendance,Attendance To Date,Oppmøte To Date @@ -2326,13 +2331,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element." +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.js +153,You can not change rate if BOM mentioned agianst any item,Du kan ikke endre prisen dersom BOM nevnt agianst ethvert element +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Skriv inn Planned Antall for Element {0} på rad {1} @@ -2354,7 +2359,7 @@ DocType: Authorization Rule,Authorized Value,Autorisert Verdi DocType: BOM,Show Operations,Vis Operations ,Minutes to First Response for Opportunity,Minutter til First Response for Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Fraværende -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Måleenhet DocType: Fiscal Year,Year End Date,År Sluttdato DocType: Task Depends On,Task Depends On,Task Avhenger @@ -2426,7 +2431,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 +106,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 +113,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 @@ -2524,9 +2529,9 @@ 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 +789,"LocalStorage is full, did not save","Localstorage er full, ikke redde" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Kostnadssted apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Kupong # DocType: Notification Control,Purchase Order Message,Innkjøpsordre Message @@ -2542,7 +2547,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 +1165,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2561,7 +2566,7 @@ DocType: Project,Task Completion,Task Fullføring apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ikke på lager DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter og avgifter fratrukket -apps/erpnext/erpnext/hooks.py +116,Issues,Problemer +apps/erpnext/erpnext/hooks.py +124,Issues,Problemer apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status må være en av {0} DocType: Sales Invoice,Debit To,Debet Å DocType: Delivery Note,Required only for sample item.,Kreves bare for prøve element. @@ -2590,6 +2595,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territorium apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vennligst oppgi ingen av besøk som kreves DocType: Stock Settings,Default Valuation Method,Standard verdsettelsesmetode +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Avgift DocType: Vehicle Log,Fuel Qty,drivstoff Antall DocType: Production Order Operation,Planned Start Time,Planlagt Starttid DocType: Course,Assessment,Assessment @@ -2599,12 +2605,12 @@ 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 +149,Quotation {0} is cancelled,Sitat {0} er kansellert -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Totalt utestående beløp +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alle salgstransaksjoner kan være merket mot flere ** Salgs Personer ** slik at du kan stille inn og overvåke mål. ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Opprett Customer fra Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Opprett Customer fra Lead {0} DocType: Price List,Applicable for Countries,Gjelder for Land apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Bare La Applikasjoner med status 'Godkjent' og 'Avvist' kan sendes inn apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Gruppenavn er obligatorisk i rad {0} @@ -2642,6 +2648,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/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 @@ -2684,8 +2691,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer for Pro 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.,Rabattprosenten kan brukes enten mot en prisliste eller for alle Prisliste. DocType: Purchase Invoice,Half-yearly,Halvårs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Regnskap Entry for Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Du har allerede vurdert for vurderingskriteriene {}. DocType: Vehicle Service,Engine Oil,Motorolje -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger DocType: Sales Invoice,Sales Team1,Salg TEAM1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} finnes ikke DocType: Sales Invoice,Customer Address,Kunde Adresse @@ -2713,7 +2720,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / Datterselskap med en egen konto tilhørighet til organisasjonen. DocType: Payment Request,Mute Email,Demp Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Mat, drikke og tobakk" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Kommisjon kan ikke være større enn 100 DocType: Stock Entry,Subcontract,Underentrepriser apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Fyll inn {0} først @@ -2741,7 +2748,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Månedlig Oppmøte Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Ansatt {0} har allerede søkt om {1} mellom {2} og {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Prosjekt startdato -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Inntil +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Inntil DocType: Rename Tool,Rename Log,Rename Logg apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentgruppe eller kursplan er obligatorisk apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentgruppe eller kursplan er obligatorisk @@ -2766,7 +2773,7 @@ DocType: Purchase Order Item,Returned Qty,Returnerte Stk DocType: Employee,Exit,Utgang apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type er obligatorisk DocType: BOM,Total Cost(Company Currency),Totalkostnad (Selskap Valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} opprettet +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial No {0} opprettet DocType: Homepage,Company Description for website homepage,Selskapet beskrivelse for nettstedet hjemmeside DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","For det lettere for kunder, kan disse kodene brukes i trykte formater som regningene og leveringssedlene" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Name @@ -2787,7 +2794,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurstider slettet: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logger for å opprettholde sms leveringsstatus DocType: Accounts Settings,Make Payment via Journal Entry,Utfør betaling via bilagsregistrering -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Trykt på +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Trykt på DocType: Item,Inspection Required before Delivery,Inspeksjon Påkrevd før Levering DocType: Item,Inspection Required before Purchase,Inspeksjon Påkrevd før kjøp apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Ventende Aktiviteter @@ -2819,9 +2826,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Krysset 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.,Et semester med denne 'Academic Year' {0} og "Term Name {1} finnes allerede. Vennligst endre disse oppføringene og prøv igjen. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Ettersom det er eksisterende transaksjoner mot item {0}, kan du ikke endre verdien av {1}" +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}","Ettersom det er eksisterende transaksjoner mot item {0}, kan du ikke endre verdien av {1}" DocType: UOM,Must be Whole Number,Må være hele tall DocType: Leave Control Panel,New Leaves Allocated (In Days),Nye Løv Tildelte (i dager) +DocType: Sales Invoice,Invoice Copy,Faktura kopi apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} finnes ikke DocType: Sales Invoice Item,Customer Warehouse (Optional),Customer Warehouse (valgfritt) DocType: Pricing Rule,Discount Percentage,Rabatt Prosent @@ -2867,8 +2875,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto nær Issue etter 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}","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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Entries +DocType: Program Enrollment,Boarding Student,Studerende Student DocType: Asset,Expected Value After Useful Life,Forventet verdi Etter Levetid DocType: Item,Reorder level based on Warehouse,Omgjøre nivå basert på Warehouse DocType: Activity Cost,Billing Rate,Billing Rate @@ -2895,11 +2905,11 @@ DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Velg studenter manuelt for aktivitetsbasert gruppe DocType: Journal Entry,User Remark,Bruker Remark DocType: Lead,Market Segment,Markedssegment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt Beløpet kan ikke være større enn total negativ utestående beløp {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt Beløpet kan ikke være større enn total negativ utestående beløp {0} DocType: Employee Internal Work History,Employee Internal Work History,Ansatt Intern Work History apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Lukking (Dr) DocType: Cheque Print Template,Cheque Size,sjekk Size -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ikke på lager +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial No {0} ikke på lager apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Skatt mal for å selge transaksjoner. DocType: Sales Invoice,Write Off Outstanding Amount,Skriv Av utestående beløp apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} stemmer ikke overens med selskapets {1} @@ -2924,7 +2934,7 @@ 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 +348,Add a few sample records,Legg et par eksempler på poster +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2938,17 +2948,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial No og Batch DocType: Warranty Claim,From Company,Fra Company -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summen av Resultater av vurderingskriterier må være {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summen av Resultater av vurderingskriterier må være {0}. 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 +270,Minute,Minutt +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2968,7 +2978,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kassekreditt konto apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Gjør Lønn Slip apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rad # {0}: Tilordnet beløp kan ikke være større enn utestående beløp. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Bla BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Bla BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Sikret lån DocType: Purchase Invoice,Edit Posting Date and Time,Rediger konteringsdato og klokkeslett apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vennligst sett Avskrivninger relatert kontoer i Asset Kategori {0} eller selskapet {1} @@ -2984,7 +2994,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 +278,Select Quantity,Velg Antall +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3007,6 +3017,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Ikke lov til å oppdatere lagertransaksjoner eldre enn {0} DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Fullt Fakturert +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/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Kontanter apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +127,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) @@ -3045,8 +3056,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Total koster Beløp (via T 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 DocType: Customs Tariff Number,Tariff Number,tariff Antall +DocType: Production Order Item,Available Qty at WIP Warehouse,Tilgjengelig antall på WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Prosjekterte -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} tilhører ikke Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial No {0} tilhører ikke Warehouse {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,Merk: Systemet vil ikke sjekke over-levering og over-booking for Element {0} som mengde eller beløpet er 0 DocType: Notification Control,Quotation Message,Sitat Message DocType: Employee Loan,Employee Loan Application,Medarbeider lånesøknad @@ -3065,13 +3077,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløp apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Regninger oppdratt av leverandører. DocType: POS Profile,Write Off Account,Skriv Off konto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debet notat Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debet notat Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabattbeløp 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 +207,e.g. VAT,reskontroførsel +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3079,7 +3091,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 +1945,Please select customer,Velg kunde +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3108,7 +3120,7 @@ DocType: Lead,Address Desc,Adresse Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party er obligatorisk DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,emne Name -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Minst én av de selge eller kjøpe må velges +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Minst én av de selge eller kjøpe må velges apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Velg formålet med virksomheten. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Dupliseringsoppføring i Referanser {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvor fabrikasjonsvirksomhet gjennomføres. @@ -3117,7 +3129,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Antall kan ikke være større enn Max Antall +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 DocType: Account,Accumulated Depreciation,akkumulerte avskrivninger DocType: Stock Entry,Customer or Supplier Details,Kunde eller leverandør Detaljer DocType: Employee Loan Application,Required by Date,Kreves av Dato @@ -3146,10 +3158,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Innkjøpsordr apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firmanavn kan ikke være selskap apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Brevark for utskriftsmaler. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titler for utskriftsmaler f.eks Proforma Faktura. +DocType: Program Enrollment,Walking,walking DocType: Student Guardian,Student Guardian,student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Verdsettelse typen kostnader kan ikke merket som Inclusive DocType: POS Profile,Update Stock,Oppdater Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ulik målenheter for elementer vil føre til feil (Total) Netto vekt verdi. Sørg for at nettovekt av hvert element er i samme målenheter. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Bilagsregistrering for Scrap @@ -3203,7 +3215,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Vis skatt break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3222,14 +3233,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Standard Cash konto apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) mester. 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 +176,No Students in,Ingen studenter i +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 +108,Please enter 'Expected Delivery Date',Skriv inn "Forventet Leveringsdato ' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Skriv inn NA for Uregistrert +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3270,23 @@ DocType: Sales Team,Contribution (%),Bidrag (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Merk: Betaling Entry vil ikke bli laget siden "Cash eller bankkontoen ble ikke spesifisert apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Ansvarsområder DocType: Expense Claim Account,Expense Claim Account,Expense krav konto +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: Sales Person,Sales Person Name,Sales Person Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Skriv inn atleast en faktura i tabellen +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Legg til brukere DocType: POS Item Group,Item Group,Varegruppe DocType: Item,Safety Stock,Safety Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% for en oppgave kan ikke være mer enn 100. DocType: Stock Reconciliation Item,Before reconciliation,Før avstemming apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter og avgifter legges (Company Valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Sak Skatte Rad {0} må ha konto for type skatt eller inntekt eller kostnad eller Charge +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Sak Skatte Rad {0} må ha konto for type skatt eller inntekt eller kostnad eller Charge DocType: Sales Order,Partly Billed,Delvis Fakturert apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Element {0} må være et driftsmiddel element DocType: Item,Default BOM,Standard BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debet Note Beløp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debet Note Beløp apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vennligst re-type firmanavn for å bekrefte -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total Outstanding Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total Outstanding Amt DocType: Journal Entry,Printing Settings,Utskriftsinnstillinger DocType: Sales Invoice,Include Payment (POS),Inkluder Payment (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Total debet må være lik samlet kreditt. Forskjellen er {0} @@ -3281,20 +3294,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automoti DocType: Vehicle,Insurance Company,Forsikringsselskap DocType: Asset Category Account,Fixed Asset Account,Fast Asset konto apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,variabel -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Fra følgeseddel +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Fra følgeseddel DocType: Student,Student Email Address,Student e-postadresse DocType: Timesheet Detail,From Time,Fra Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,På lager: DocType: Notification Control,Custom Message,Standard melding apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kontanter eller bankkontoen er obligatorisk for å gjøre betaling oppføring -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse 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 +1517,Address Name,Adressenavn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3311,7 +3323,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3319,7 +3331,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Oppgi verdien skal være positiv +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3328,7 +3340,7 @@ DocType: Process Payroll,Process Payroll,Process Lønn apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Det er mer ferie enn virkedager denne måneden. DocType: Product Bundle Item,Product Bundle Item,Produktet Bundle Element DocType: Sales Partner,Sales Partner Name,Sales Partner Name -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Forespørsel om Sitater +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Forespørsel om Sitater DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimal Fakturert beløp DocType: Student Language,Student Language,student Språk apps/erpnext/erpnext/config/selling.py +23,Customers,kunder @@ -3339,7 +3351,7 @@ DocType: Asset,Partially Depreciated,delvis Avskrives DocType: Issue,Opening Time,Åpning Tid apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Fra og Til dato kreves apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Verdipapirer og råvarebørser -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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} +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 +847,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture @@ -3358,7 +3370,7 @@ 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 +266,Raw Material,Råmateriale +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3370,7 +3382,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -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: 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. @@ -3383,8 +3394,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos Nødvendig for Serialisert Element {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Gjelder til (Betegnelse) @@ -3401,7 +3412,7 @@ 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 +270,Hour,Time +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3411,7 +3422,7 @@ 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 +645,Point of Sale,Utsalgssted +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3428,8 +3439,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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. @@ -3455,14 +3466,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 +465,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 +466,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 +834,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 +835,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 @@ -3494,7 +3505,7 @@ 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 +436,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Billing State @@ -3542,7 +3553,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Innstillinger for nettstedet hjemmeside 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 +214,Invalid attribute {0} {1},Ugyldig egenskap {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vennligst velg vurderingsgruppen annet enn 'Alle vurderingsgrupper' @@ -3644,16 +3655,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,lønn Components DocType: Program Enrollment Tool,New Academic Year,Nytt studieår apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retur / kreditnota DocType: Stock Settings,Auto insert Price List rate if missing,Auto innsats Prisliste rente hvis mangler -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Totalt innbetalt beløp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Totalt innbetalt beløp DocType: Production Order Item,Transferred Qty,Overført Antall apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigere apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlegging 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 +272,We sell this Item,Vi selger denne vare +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3701,7 +3714,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 +1186,Please set Company,Vennligst sett selskap +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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å @@ -3718,13 +3731,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,samle gebyrer DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} allerede brukt i Element {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} allerede brukt i Element {1} DocType: Lead,Add to calendar on this date,Legg til i kalender på denne datoen apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler for å legge til fraktkostnader. DocType: Item,Opening Stock,åpning Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunden må apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} er obligatorisk for Return DocType: Purchase Order,To Receive,Å Motta +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personlig e-post apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktivert, vil systemet starte regnskapspostene for inventar automatisk." @@ -3735,7 +3749,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 +541,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry +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 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 @@ -3743,7 +3757,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Ut av Garanti DocType: BOM Replace Tool,Replace,Erstatt apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ingen produkter funnet. -DocType: Production Order,Unstopped,lukkes apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} mot Sales Faktura {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Prosjektnavn @@ -3754,6 +3767,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} 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 @@ -3790,9 +3804,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Fra Range apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Syntaksfeil i formelen eller tilstand: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daglig arbeid Oppsummering Innstillinger selskapet -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Element {0} ignorert siden det ikke er en lagervare +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 +40,Submit this Production Order for further processing.,Send dette produksjonsordre for videre behandling. +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/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 @@ -3800,12 +3814,14 @@ 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 +209,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Vennligst sett Company filter blank hvis Group By er 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Publiseringsdato kan ikke være fremtidig dato apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} samsvarer ikke med {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual La @@ -3834,7 +3850,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Regnskap Innstillinger apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Vedta DocType: Customer,Sales Partner and Commission,Sales Partner og Kommisjonen @@ -3849,7 +3865,7 @@ 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 +62,{0} items produced,{0} elementer produsert +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3863,7 +3879,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Total Expense krav (via Ex 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} DocType: Journal Entry Account,Exchange Rate,Vekslingskurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3888,18 +3904,18 @@ 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 +705,Online,på nett +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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 DocType: Employee Loan,Repay Fixed Amount per Period,Smelle fast beløp per periode apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Skriv inn antall for Element {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditt notat Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreditt notat Amt DocType: Employee External Work History,Employee External Work History,Ansatt Ekstern Work History DocType: Tax Rule,Purchase,Kjøp apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balanse Antall @@ -3924,7 +3940,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 +2383,Select items to save the invoice,Velg elementer for å lagre fakturaen +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3953,6 +3969,7 @@ DocType: Guardian,Guardian Of ,Guardian Av DocType: Grading Scale Interval,Threshold,Terskel DocType: BOM Replace Tool,Current BOM,Nåværende BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Legg Serial No +DocType: Production Order Item,Available Qty at Source Warehouse,Tilgjengelig antall på Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Debitnota Utstedt DocType: Production Order,Warehouses,Næringslokaler @@ -3968,13 +3985,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Beløpet Betal apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Prosjektleder ,Quoted Item Comparison,Sitert Element Sammenligning apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maks rabatt tillatt for element: {0} er {1}% +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 +279,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 +879,Select Items to Manufacture,Velg delbetaling Produksjon -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid" +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" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Selger Beskrivelse DocType: Employee Education,Qualification,Kvalifisering @@ -3998,7 +4015,7 @@ DocType: POS Profile,Terms and Conditions,Vilkår og betingelser 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 +200,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 +198,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 @@ -4018,7 +4035,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","For å sette dette regnskapsåret som standard, klikk på "Angi som standard '" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Bli med apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Mangel Antall -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene DocType: Employee Loan,Repay from Salary,Smelle fra Lønn DocType: Leave Application,LAP/,RUNDE/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Ber om betaling mot {0} {1} for mengden {2} @@ -4036,18 +4053,18 @@ 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 +1011,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial No {0} er allerede mottatt +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial No {0} er allerede mottatt ,Requested Items To Be Transferred,Etterspør elementene som skal overføres 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 +1312,Delete permanently?,Slett permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Ugyldig {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ugyldig {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sykefravær DocType: Email Digest,Email Digest,E-post Digest DocType: Delivery Note,Billing Address Name,Billing Address Navn @@ -4060,6 +4077,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Avgift DocType: Company,Change Abbreviation,Endre Forkortelse DocType: Expense Claim Detail,Expense Date,Expense Dato +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke DocType: Item,Max Discount (%),Max Rabatt (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Siste ordrebeløp DocType: Task,Is Milestone,Er Milestone @@ -4083,8 +4101,8 @@ DocType: Program Enrollment Tool,New Program,nytt program DocType: Item Attribute Value,Attribute Value,Attributtverdi ,Itemwise Recommended Reorder Level,Itemwise Anbefalt Omgjøre nivå DocType: Salary Detail,Salary Detail,lønn Detalj -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vennligst velg {0} først -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} av Element {1} er utløpt. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Vennligst velg {0} først +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} av Element {1} er utløpt. DocType: Sales Invoice,Commission,Kommisjon apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Timeregistrering for produksjon. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,delsum @@ -4109,12 +4127,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 +399,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 +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/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 +387,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 +382,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 @@ -4144,7 +4162,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Deponering Dato DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-post vil bli sendt til alle aktive ansatte i selskapet ved den gitte timen, hvis de ikke har ferie. Oppsummering av svarene vil bli sendt ved midnatt." DocType: Employee Leave Approver,Employee Leave Approver,Ansatt La Godkjenner -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklære som tapt, fordi tilbudet er gjort." 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 @@ -4177,6 +4195,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organisasjonsenhet (departement) mester. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Skriv inn et gyldig mobil nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Skriv inn meldingen før du sender +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLIKATE FOR LEVERANDØR DocType: Email Digest,Pending Quotations,Avventer Sitater apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profile apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Oppdater SMS-innstillinger @@ -4185,7 +4204,7 @@ DocType: Cost Center,Cost Center Name,Kostnadssteds Name DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max arbeidstid mot Timeregistrering DocType: Maintenance Schedule Detail,Scheduled Date,Planlagt dato -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Sum innskutt Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Sum innskutt Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Meldinger som er større enn 160 tegn vil bli delt inn i flere meldinger DocType: Purchase Receipt Item,Received and Accepted,Mottatt og akseptert ,GST Itemised Sales Register,GST Artized Sales Register @@ -4195,7 +4214,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 +237,Your Suppliers,Dine Leverandører +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan ikke trekke når kategorien er for verdsetting 'eller' Vaulation og Total ' @@ -4207,7 +4226,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Bilde {0} festet til Element {1} kan ikke finnes +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. @@ -4222,7 +4241,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hva gjør de apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Til Warehouse apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle Student Opptak ,Average Commission Rate,Gjennomsnittlig kommisjon -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,«Har Serial No 'kan ikke være' Ja 'for ikke-lagervare +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,«Har Serial No 'kan ikke være' Ja 'for ikke-lagervare apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Oppmøte kan ikke merkes for fremtidige datoer DocType: Pricing Rule,Pricing Rule Help,Prising Rule Hjelp DocType: School House,House Name,Husnavn @@ -4238,7 +4257,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 +339,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 +340,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 @@ -4253,20 +4272,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Lønn Slip av ansattes {0} allerede opprettet for timeregistrering {1} DocType: Vehicle Log,Odometer,Kilometerteller DocType: Sales Order Item,Ordered Qty,Bestilte Antall -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Element {0} er deaktivert +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generere lønnsslipper -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kjøper må sjekkes, hvis dette gjelder for er valgt som {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kjøper må sjekkes, hvis dette gjelder for er valgt som {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabatt må være mindre enn 100 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 +500,Default BOM for {0} not found,Standard BOM for {0} ikke funnet -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher @@ -4328,7 +4347,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Forventet Datoen kan ikke være før Material Request Dato DocType: Purchase Invoice Item,Stock Qty,Varenummer -DocType: Production Order,Source Warehouse (for reserving Items),Kilde Warehouse (for å reservere Items) DocType: Employee Loan,Repayment Period in Months,Nedbetalingstid i måneder apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Feil: Ikke en gyldig id? DocType: Naming Series,Update Series Number,Update-serien Nummer @@ -4377,7 +4395,7 @@ DocType: Production Order,Planned End Date,Planlagt sluttdato apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Hvor varene er lagret. DocType: Request for Quotation,Supplier Detail,Leverandør Detalj apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Feil i formel eller betingelse: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Fakturert beløp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Fakturert beløp DocType: Attendance,Attendance,Oppmøte apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,lager~~POS=TRUNC DocType: BOM,Materials,Materialer @@ -4418,10 +4436,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Oppsett en enkel nettside for min organisasjon +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0} DocType: Item,Default Warehouse,Standard Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budsjettet kan ikke overdras mot gruppekonto {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Skriv inn forelder kostnadssted @@ -4483,7 +4501,7 @@ 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 +1344,Select or add new customer,Velg eller legg til ny kunde +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/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 @@ -4491,6 +4509,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger 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 +231,{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. @@ -4513,7 +4532,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Prisliste ikke funnet eller deaktivert +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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" @@ -4533,7 +4552,7 @@ DocType: POS Profile,Account for Change Amount,Konto for Change Beløp apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / Account samsvarer ikke med {1} / {2} i {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Skriv inn Expense konto DocType: Account,Stock,Lager -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av innkjøpsordre, faktura eller bilagsregistrering" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av innkjøpsordre, faktura eller bilagsregistrering" DocType: Employee,Current Address,Nåværende Adresse DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Hvis elementet er en variant av et annet element da beskrivelse, image, priser, avgifter osv vil bli satt fra malen uten eksplisitt spesifisert" DocType: Serial No,Purchase / Manufacture Details,Kjøp / Produksjon Detaljer @@ -4572,11 +4591,12 @@ DocType: Student,Home Address,Hjemmeadresse apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Aktivitetsnavn -apps/erpnext/erpnext/config/schools.py +39,Admission,Adgang +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Adgang apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Innleggelser for {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Element {0} er en mal, kan du velge en av variantene" DocType: Asset,Asset Category,Asset Kategori +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Kjøper apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettolønn kan ikke være negativ DocType: SMS Settings,Static Parameters,Statiske Parametere DocType: Assessment Plan,Room,Rom @@ -4585,6 +4605,7 @@ DocType: Item,Item Tax,Sak Skatte apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale til Leverandør apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium DocType: Expense Claim,Employees Email Id,Ansatte Email Id DocType: Employee Attendance Tool,Marked Attendance,merket Oppmøte apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kortsiktig gjeld @@ -4656,6 +4677,7 @@ DocType: Leave Type,Is Carry Forward,Er fremføring apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock oppsummering diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv index c5e6eb75eb..3b7675d454 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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ę DocType: Employee,Holiday List,Lista świąt -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Księgowy +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Księgowy DocType: Cost Center,Stock User,Użytkownik magazynu DocType: Company,Phone No,Nr telefonu apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,tworzone harmonogramy zajęć: @@ -110,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} 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 +269,Kg,kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nie dopuszczony do {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Pobierz zawartość z -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0}, +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +131,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 +1673,Not items found,Nie znaleziono przedmiotów +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Raporty seryjne DocType: Warehouse,Warehouse Detail,Szczegóły magazynu apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Limit kredytowy został przekroczony dla klienta {0} {1} / {2} 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.,"Termin Data zakończenia nie może być późniejsza niż data zakończenia roku na rok akademicki, którego termin jest związany (Academic Year {}). Popraw daty i spróbuj ponownie." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1} DocType: Item,Copy From Item Group,Skopiuj z Grupy Przedmiotów DocType: Journal Entry,Opening Entry,Wpis początkowy -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Grupa klienta> Terytorium apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto płaci tylko DocType: Employee Loan,Repay Over Number of Periods,Spłaty przez liczbę okresów DocType: Stock Entry,Additional Costs,Dodatkowe koszty @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nieruchomości -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Wyciąg z rachunku +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 DocType: Purchase Invoice Item,Is Fixed Asset,Czy trwałego apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Ilość dostępnych jest {0}, musisz {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Konsumpcyjny +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Przykład: Podstawowe Matematyka +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/config/hr.py +214,Settings for HR Module,Ustawienia dla modułu HR DocType: SMS Center,SMS Center,Centrum SMS @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Produkty i cennik apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Całkowita liczba godzin: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},"""Data od"" powinna być w tym roku podatkowym. Przyjmując Datę od = {0}" +apps/erpnext/erpnext/hooks.py +87,Quotes,Cytaty DocType: Customer,Individual,Indywidualny DocType: Interest,Academics User,Studenci DocType: Cheque Print Template,Amount In Figure,Kwota Na rysunku @@ -266,7 +267,7 @@ DocType: Employee,Create User,Stwórz użytkownika DocType: Selling Settings,Default Territory,Domyślne terytorium apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Telewizja DocType: Production Order Operation,Updated via 'Time Log',"Aktualizowana przez ""Czas Zaloguj""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Ilość wyprzedzeniem nie może być większa niż {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Ilość wyprzedzeniem nie może być większa niż {0} {1} DocType: Naming Series,Series List for this Transaction,Lista serii dla tej transakcji DocType: Company,Enable Perpetual Inventory,Włącz wieczne zapasy DocType: Company,Default Payroll Payable Account,Domyślny Płace Płatne konta @@ -274,7 +275,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 +177,For Warehouse is required before Submit,Dla magazynu jest wymagane przed wysłaniem +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/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ń." @@ -282,13 +283,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 +2256,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nazwa kontaktu +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Data zwolnienia musi być większa od Daty Wstąpienia apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Urlopy na Rok 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 +189,Warehouse {0} does not belong to company {1},Magazyn {0} nie należy do firmy {1} +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 +270,Litre,Litr +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Operacje bankowe apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Roczny DocType: Stock Reconciliation Item,Stock Reconciliation Item,Uzgodnienia Stanu Pozycja @@ -316,7 +317,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 +316,People who teach at your organisation,"Ludzie, którzy uczą w organizacji" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,Pozwalają użytkownikowi na edycj 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 +699,Item {0} is cancelled,Element {0} jest anulowany +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 +882,Material Request,Zamówienie produktu DocType: Bank Reconciliation,Update Clearance Date,Aktualizacja daty rozliczenia DocType: Item,Purchase Details,Szczegóły zakupu @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,Menadżer floty apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dwa razy wprowadzone w podatku produktu +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} dwa razy wprowadzone w podatku produktu apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Podsumowanie na ten tydzień i działań toczących DocType: Student Applicant,Admitted,Przyznał DocType: Workstation,Rent Cost,Koszt Wynajmu @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Otrzymanych apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Tworzenie grup studenckich apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Konfiguracja właśnie zakończyła się!! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kwota kredytu +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kwota kredytu ,Finished Goods,Ukończone dobra DocType: Delivery Note,Instructions,Instrukcje DocType: Quality Inspection,Inspected By,Skontrolowane przez @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,Tworzenie nowego klienta +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę skonfigurować numeryczną serię dla uczestnictwa w programie Setup> Numbering Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Stwórz zamówienie zakupu ,Purchase Register,Rejestracja Zakupu DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,7 +475,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 +330,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 +361,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 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrane atrybuty kilka razy w tabeli +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrane atrybuty kilka razy w tabeli DocType: HR Settings,Employee record is created using selected field. ,Rekord pracownika tworzony jest przy użyciu zaznaczonego pola. DocType: Sales Order,Not Applicable,Nie dotyczy apps/erpnext/erpnext/config/hr.py +70,Holiday master., @@ -530,7 +532,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 +219,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 +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/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" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised, DocType: Production Order,Additional Operating Cost,Dodatkowy koszt operacyjny apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetyki -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Aby scalić, poniższe właściwości muszą być takie same dla obu przedmiotów" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Aby scalić, poniższe właściwości muszą być takie same dla obu przedmiotów" DocType: Shipping Rule,Net Weight,Waga netto DocType: Employee,Emergency Phone,Telefon bezpieczeństwa apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupować @@ -555,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%,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 +2428,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem +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 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 @@ -574,7 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges, DocType: Purchase Invoice,Supplier Invoice No,Nr faktury dostawcy DocType: Territory,For reference,Dla referencji -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nie można usunąć nr seryjnego {0}, ponieważ jest wykorzystywany w transakcjach magazynowych" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nie można usunąć nr seryjnego {0}, ponieważ jest wykorzystywany w transakcjach magazynowych" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Zamknięcie (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Move Item DocType: Serial No,Warranty Period (Days),Okres gwarancji (dni) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Najpierw wybierz typ firmy, a Party" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Rok finansowy / księgowy. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,skumulowane wartości -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Niestety, numery seryjne nie mogą zostać połączone" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Niestety, numery seryjne nie mogą zostać połączone" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Stwórz Zamówienie Sprzedaży DocType: Project Task,Project Task,Zadanie projektu ,Lead Id,ID Tropu @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Przydziel apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Zwrot sprzedaży 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,Uwaga: Wszystkie przydzielone liście {0} nie powinna być mniejsza niż już zatwierdzonych liści {1} dla okresu +,Total Stock Summary,Całkowity podsumowanie zasobów DocType: Announcement,Posted By,Wysłane przez DocType: Item,Delivered by Supplier (Drop Ship),Dostarczane przez Dostawcę (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza danych potencjalnych klientów. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza danych klient DocType: Quotation,Quotation To,Wycena dla DocType: Lead,Middle Income,Średni Dochód apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otwarcie (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Domyślnie Jednostka miary dla pozycji {0} nie może być zmieniana bezpośrednio, ponieważ masz już jakąś transakcję (y) z innym UOM. Musisz utworzyć nowy obiekt, aby użyć innego domyślnego UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Domyślnie Jednostka miary dla pozycji {0} nie może być zmieniana bezpośrednio, ponieważ masz już jakąś transakcję (y) z innym UOM. Musisz utworzyć nowy obiekt, aby użyć innego domyślnego UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Przydzielona kwota nie może być ujemna apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Proszę ustawić firmę apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Proszę ustawić firmę @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters, DocType: Assessment Plan,Maximum Assessment Score,Maksymalny wynik oceny apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Aktualizacja bankowe dni transakcji apps/erpnext/erpnext/config/projects.py +30,Time Tracking,time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ZGŁOSZENIE DLA TRANSPORTERA DocType: Fiscal Year Company,Fiscal Year Company,Rok podatkowy firmy DocType: Packing Slip Item,DN Detail, DocType: Training Event,Conference,Konferencja @@ -685,8 +689,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 +320,Timesheet created:,Grafiku stworzył: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Zapisać DocType: GST Settings,GST Settings,Ustawienia GST DocType: Selling Settings,Customer Naming By, @@ -715,7 +719,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 +139,Finish,koniec +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,koniec apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Baza DocType: Timesheet,Total Billed Hours,Wszystkich Zafakturowane Godziny DocType: Journal Entry,Write Off Amount,Wartość Odpisu @@ -750,7 +754,7 @@ DocType: Hub Settings,Seller City,Sprzedawca Miasto ,Absent Student Report,Nieobecny Raport Student DocType: Email Digest,Next email will be sent on:,Kolejny e-mali zostanie wysłany w dniu: DocType: Offer Letter Term,Offer Letter Term,Oferta List Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Pozycja ma warianty. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Pozycja ma warianty. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Element {0} nie został znaleziony DocType: Bin,Stock Value,Wartość zapasów apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Firma {0} nie istnieje @@ -797,12 +801,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Bądź grafiku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -860,13 +864,13 @@ DocType: Company,Default Cost of Goods Sold Account,Domyślne Konto Wartości D apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cennik nie wybrany DocType: Employee,Family Background,Tło rodzinne DocType: Request for Quotation Supplier,Send Email,Wyślij E-mail -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Warning: Invalid Załącznik {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Brak uprawnień +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Warning: Invalid Załącznik {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Brak uprawnień 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 +269,Nos,Numery +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -886,7 +890,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 +274,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 +275,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 @@ -974,14 +978,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} musi być aktywny +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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ą -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Nr seryjny {0} nie należy do żadnej rzeczy {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Nr seryjny {0} nie należy do żadnej rzeczy {1} DocType: Purchase Receipt Item Supplied,Required Qty,Wymagana ilość apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Magazyny z istniejącymi transakcji nie mogą być konwertowane do księgi głównej. DocType: Bank Reconciliation,Total Amount,Wartość całkowita @@ -998,7 +1002,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,składniki apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Proszę podać kategorię aktywów w pozycji {0} DocType: Quality Inspection Reading,Reading 6,Odczyt 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nie można {0} {1} {2} bez negatywnego wybitne faktury +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Nie można {0} {1} {2} bez negatywnego wybitne faktury DocType: Purchase Invoice Advance,Purchase Invoice Advance,Wyślij Fakturę Zaliczkową / Proformę DocType: Hub Settings,Sync Now,Synchronizuj teraz apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Wiersz {0}: wejście kredytowe nie mogą być powiązane z {1} @@ -1012,12 +1016,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 +731,New Sales Invoice,Nowa faktura sprzedaży +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Synchronizacja Offline Faktury +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1050,10 +1054,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemiczny DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Domyślne konto bank / bankomat zostanie automatycznie zaktualizowana wynagrodzenia Journal Entry po wybraniu tego trybu. DocType: BOM,Raw Material Cost(Company Currency),Koszt surowca (Spółka waluty) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Dla tego zamówienia produkcji wszystkie pozycje zostały już przeniesione. +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 +270,Meter,Metr +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1076,7 +1080,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 +452,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1084,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,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 +259,Qty for {0},Ilość dla {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1096,9 +1100,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Konto Gotówka / Bank apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Proszę podać {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Usunięte pozycje bez zmian w ilości lub wartości. DocType: Delivery Note,Delivery To,Dostawa do -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Stół atrybut jest obowiązkowy +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Stół atrybut jest obowiązkowy DocType: Production Planning Tool,Get Sales Orders,Pobierz zamówienia sprzedaży -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nie może być ujemna +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nie może być ujemna apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Zniżka (rabat) DocType: Asset,Total Number of Depreciations,Całkowita liczba amortyzacją DocType: Sales Invoice Item,Rate With Margin,Rate With Margin @@ -1135,7 +1139,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 +1546,ZIP Code,Kod pocztowy +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1154,7 +1158,7 @@ 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 +238,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 +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/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 @@ -1178,7 +1182,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Proszę ustawić "Zastosuj dodatkowe zniżki na ' +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 DocType: Global Defaults,Global Defaults,Globalne wartości domyślne @@ -1186,10 +1190,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 +22,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 +23,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 +347,Capacity Planning Error,Planowanie zdolności błąd +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1208,7 +1212,7 @@ DocType: Purchase Invoice,Is Return,Czy Wróć apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} prawidłowe numery seryjne dla Pozycji {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} prawidłowe numery seryjne dla Pozycji {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kod przedmiotu nie może być zmieniony na podstawie numeru seryjnego 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} już utworzony przez użytkownika: {1} i {2} firma DocType: Sales Invoice Item,UOM Conversion Factor,Współczynnik konwersji jednostki miary @@ -1218,7 +1222,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 +675,Cost Center For Item with Item Code ',Centrum kosztów dla Przedmiotu z Kodem Przedmiotu ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1261,7 +1265,7 @@ 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,Podgląd księgi 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} nie może mieć Batch @@ -1290,7 +1294,7 @@ 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 +288,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1301,7 +1305,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Zlecenie Sprzedaży {0} jest niepoprawne +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/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} \ @@ -1319,14 +1323,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Miejsce wydania apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakt DocType: Email Digest,Add Quote,Dodaj Cytat -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik konwersji jednostki miary jest wymagany dla jednostki miary: {0} w Przedmiocie: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik konwersji jednostki miary jest wymagany dla jednostki miary: {0} w Przedmiocie: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Twoje Produkty lub Usługi +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 DocType: Mode of Payment,Mode of Payment,Rodzaj płatności -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,To jest grupa przedmiotów root i nie mogą być edytowane. @@ -1344,14 +1348,13 @@ 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 +562,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Zlecenie produkcji ma status: {0} DocType: Appraisal Goal,Goal,Cel DocType: Sales Invoice Item,Edit Description,Edytuj opis ,Team Updates,Aktualizacje zespół @@ -1367,14 +1370,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazyn Dziecko nie istnieje dla tego magazynu. Nie można usunąć tego magazynu. 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 +177,Serial number {0} entered more than once,Nr seryjny {0} wprowadzony jest więcej niż jeden raz +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 +78,{0} items in progress,{0} pozycji w przygotowaniu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1} +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} 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 @@ -1433,7 +1436,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1448,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1456,7 +1458,7 @@ DocType: Sales Invoice,Shipping Address Name,Adres do wysyłki Nazwa apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plan Kont DocType: Material Request,Terms and Conditions Content,Zawartość regulaminu apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nie może być większa niż 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Element {0} nie jest w magazynie +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Element {0} nie jest w magazynie DocType: Maintenance Visit,Unscheduled,Nieplanowany DocType: Employee,Owned,Zawłaszczony DocType: Salary Detail,Depends on Leave Without Pay,Zależy od urlopu bezpłatnego @@ -1488,7 +1490,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 +273,We buy this Item,Kupujemy ten przedmiot/usługę +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1499,7 +1501,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 +266,Sub Assemblies,Komponenty +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Komponenty DocType: Asset,Asset Name,Zaleta Nazwa DocType: Project,Task Weight,zadanie Waga DocType: Shipping Rule Condition,To Value,Określ wartość @@ -1532,12 +1534,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nie znaleziono rekordów w tabeli płatności apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ten {0} konflikty z {1} do {2} {3} DocType: Student Attendance Tool,Students HTML,studenci HTML DocType: POS Profile,Apply Discount,Zastosuj zniżkę -DocType: Purchase Invoice Item,GST HSN Code,Kod GST HSN +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 +283,Packing Slip(s) cancelled,List(y) przewozowe anulowane @@ -1580,8 +1582,8 @@ 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 +2573,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Pudło +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 +873,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 @@ -1611,7 +1613,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Sposób spłaty DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jeśli zaznaczone, strona główna będzie Grupa domyślna pozycja na stronie" DocType: Quality Inspection Reading,Reading 4,Odczyt 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Domyślny BOM dla {0} Nie znaleziono Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Zwrot wydatków 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} @@ -1628,29 +1629,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nowe zadanie apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Dodać Oferta apps/erpnext/erpnext/config/selling.py +216,Other Reports,Inne raporty DocType: Dependent Task,Dependent Task,Zadanie zależne -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Współczynnikiem konwersji dla domyślnej Jednostki Pomiaru musi być 1 w rzędzie {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Współczynnikiem konwersji dla domyślnej Jednostki Pomiaru musi być 1 w rzędzie {0} 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} DocType: SMS Center,Receiver List,Lista odbiorców -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Szukaj przedmiotu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Zakończone +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Identyfikator klienta klienta DocType: Account,Account Name,Nazwa konta apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Data od - nie może być późniejsza niż Data do -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Nr seryjny {0} dla ilości {1} nie może być ułamkiem +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Nr seryjny {0} dla ilości {1} nie może być ułamkiem apps/erpnext/erpnext/config/buying.py +43,Supplier Type master., DocType: Purchase Order Item,Supplier Part Number,Numer katalogowy dostawcy apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Wartością konwersji nie może być 0 ani 1 @@ -1658,6 +1659,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Data wysłania pojazdu +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Domyślne konto Rozrachunki z dostawcami apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ustawienia dla internetowego koszyka, takie jak zasady żeglugi, cennika itp" @@ -1712,7 +1714,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Dołączaj święta DocType: Sales Invoice,Packed Items,Przedmioty pakowane apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Roszczenie gwarancyjne z numerem seryjnym DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Wymień szczególną LM w innych LM, gdzie jest wykorzystywana. Będzie on zastąpić stary związek BOM, aktualizować koszty i zregenerować ""Item"" eksplozją BOM tabeli jak na nowym BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Całkowity' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Całkowity' DocType: Shopping Cart Settings,Enable Shopping Cart,Włącz Koszyk DocType: Employee,Permanent Address,Stały adres apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1748,6 +1750,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Waga/wiek +DocType: Sales 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 @@ -1767,7 +1770,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1784,7 +1787,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Główny apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Wariant DocType: Naming Series,Set prefix for numbering series on your transactions,Ustaw prefiks dla numeracji serii na swoich transakcji DocType: Employee Attendance Tool,Employees HTML,Pracownicy HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu DocType: Employee,Leave Encashed?,"Jesteś pewien, że chcesz wyjść z Wykupinych?" 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 @@ -1797,7 +1800,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 +175,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 +173,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 @@ -1807,7 +1810,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Siła grupy studentów apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Przeciwko Urzędowym Wejście {0} nie ma niezrównaną pozycję {1} apps/erpnext/erpnext/config/hr.py +137,Appraisals,wyceny -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Zduplikowany Nr Seryjny wprowadzony dla przedmiotu {0} +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" @@ -1816,7 +1819,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} musi być złożony +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Płatność @@ -1835,12 +1838,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Zaleta Ruch -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nowy Koszyk +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1866,7 +1869,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Uzyskaj pozycje z potwierdzeń zakupu. DocType: Serial No,Creation Date,Data utworzenia apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Element {0} pojawia się wielokrotnie w Cenniku {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Sprzedaż musi być sprawdzona, jeśli dotyczy wybrano jako {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Sprzedaż musi być sprawdzona, jeśli dotyczy wybrano jako {0}" DocType: Production Plan Material Request,Material Request Date,Materiał Zapytanie Data DocType: Purchase Order Item,Supplier Quotation Item, DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Wyłącza tworzenie dzienników razem przeciwko zleceń produkcyjnych. Operacje nie będą śledzone przed produkcja na zamówienie @@ -1883,12 +1886,12 @@ 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 DocType: Budget,Budget,Budżet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Trwałego Rzecz musi być element non-stock. +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 +209,e.g. 5, +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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" @@ -1897,7 +1900,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,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 +263,A Product or Service,Produkt lub usługa +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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ść @@ -1973,7 +1976,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Para +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Para apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1992,10 +1995,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Faktyczna data zakończenia (przez czas arkuszu) 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 +160,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 +342,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności +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 DocType: Shipping Rule Condition,Shipping Amount,Ilość dostawy -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj klientów +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -2012,6 +2015,7 @@ DocType: Journal Entry,Accounts Receivable,Należności ,Supplier-Wise Sales Analytics, apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Wprowadź wpłaconej kwoty DocType: Salary Structure,Select employees for current Salary Structure,Wybierz pracowników do obecnej struktury wynagrodzeń +DocType: Sales Invoice,Company Address Name,Nazwa firmy DocType: Production Order,Use Multi-Level BOM,Używaj wielopoziomowych zestawień materiałowych 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)" @@ -2031,7 +2035,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 +269,Unit,szt. +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2052,7 +2056,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,kwota różnicy @@ -2061,7 +2065,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasyfikacja Klientów od regionu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Różnica Kwota musi wynosić zero DocType: Project,Gross Margin,Marża brutto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Wprowadź jako pierwszą Produkowaną Rzecz +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 +748,Quotation,Wycena @@ -2073,7 +2077,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Adres Klienta / Tropu -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Ostrzeżenie: Nieprawidłowy certyfikat SSL w załączniku {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Ostrzeżenie: Nieprawidłowy certyfikat SSL w załączniku {0} DocType: Student Admission,Eligibility,Wybieralność apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Przewody pomóc biznesu, dodać wszystkie kontakty i więcej jak swoich klientów" DocType: Production Order Operation,Actual Operation Time,Rzeczywisty Czas pracy @@ -2092,11 +2096,11 @@ DocType: Appraisal,Calculate Total Score,Oblicz całkowity wynik DocType: Request for Quotation,Manufacturing Manager,Kierownik Produkcji apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nr seryjny {0} w ramach gwarancji do {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Przypisz dokumenty dostawy do paczek. -apps/erpnext/erpnext/hooks.py +87,Shipments,Przesyłki +apps/erpnext/erpnext/hooks.py +94,Shipments,Przesyłki DocType: Payment Entry,Total Allocated Amount (Company Currency),Łączna kwota przyznanego wsparcia (Spółka waluty) DocType: Purchase Order Item,To be delivered to customer,Być dostarczone do klienta DocType: BOM,Scrap Material Cost,Złom Materiał Koszt -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Nr seryjny: {0} nie należy do żadnego Magazynu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Nr seryjny: {0} nie należy do żadnego Magazynu DocType: Purchase Invoice,In Words (Company Currency),Słownie DocType: Asset,Supplier,Dostawca DocType: C-Form,Quarter,Kwartał @@ -2111,11 +2115,10 @@ DocType: Leave Application,Total Leave Days,Całkowita ilość dni zwolnienia od DocType: Email Digest,Note: Email will not be sent to disabled users,Uwaga: E-mail nie zostanie wysłany do nieaktywnych użytkowników apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Liczba interakcji apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Liczba interakcji -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod pozycji> Grupa pozycji> Marka 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 +408,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2159,7 +2162,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Szczegóły o zwrotach kosztów -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Proszę wybrać prawidłową konto +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT DLA DOSTAWCY +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Proszę wybrać prawidłową konto DocType: Item,Weight UOM,Waga jednostkowa DocType: Salary Structure Employee,Salary Structure Employee,Struktura Wynagrodzenie pracownicze DocType: Employee,Blood Group,Grupa Krwi @@ -2181,7 +2185,7 @@ DocType: Student,Guardians,Strażnicy 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 +336,Debit To is required,Debetowane Konto jest wymagane +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2194,7 +2198,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Razem Niepłatny: DocType: BOM Website Operation,BOM Website Operation,BOM Operacja WWW apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Oferta List apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Utwórz Zamówienia Materiałowe (MRP) i Zamówienia Produkcji. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Razem zafakturowane Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Razem zafakturowane Amt DocType: BOM,Conversion Rate,Współczynnik konwersji apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Wyszukiwarka produktów DocType: Timesheet Detail,To Time,Do czasu @@ -2209,7 +2213,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Training Event urzędnik -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numery seryjne wymagane dla pozycji {1}. Podałeś {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numery seryjne wymagane dla pozycji {1}. Podałeś {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Aktualny Wycena Cena DocType: Item,Customer Item Codes,Kody Pozycja klienta apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Wymiana Zysk / Strata @@ -2257,7 +2261,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 +2454,Select Batch No,Wybierz numer partii +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2281,19 +2285,19 @@ DocType: Leave Block List,Allow Users,Zezwól Użytkownikom DocType: Purchase Order,Customer Mobile No,Komórka klienta Nie DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Śledź oddzielnie przychody i koszty dla branż produktowych lub oddziałów. DocType: Rename Tool,Rename Tool,Zmień nazwę narzędzia -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Zaktualizuj Koszt +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 +438,Show Salary Slip,Slip Pokaż Wynagrodzenie apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Wybierz opcję Zmień konto kwotę +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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ę 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 +200,Add Taxes,Definiowanie podatków +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2304,6 +2308,7 @@ DocType: Stock Entry,Purchase Receipt No,Nr Potwierdzenia Zakupu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Pieniądze zaliczkowe DocType: Process Payroll,Create Salary Slip,Utwórz pasek wynagrodzenia apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Śledzenie +DocType: Purchase Invoice Item,HSN/SAC Code,Kod HSN / SAC 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 @@ -2333,7 +2338,7 @@ DocType: Employee Education,Post Graduate,Podyplomowe DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Szczegóły Planu Konserwacji DocType: Quality Inspection Reading,Reading 9,Odczyt 9 DocType: Supplier,Is Frozen,Jest Zamrożony -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,"Magazyn węzeł Grupa nie jest dozwolone, aby wybrać dla transakcji" +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,"Magazyn węzeł Grupa nie jest dozwolone, aby wybrać dla transakcji" DocType: Buying Settings,Buying Settings,Ustawienia Kupna DocType: Stock Entry Detail,BOM No. for a Finished Good Item, DocType: Upload Attendance,Attendance To Date,Obecność do Daty @@ -2349,13 +2354,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Nie możesz zmienić danych jeśli BOM jest przeciw jakiejkolwiek rzeczy +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Proszę podać Planowane Ilości dla pozycji {0} w wierszu {1} @@ -2377,7 +2382,7 @@ DocType: Authorization Rule,Authorized Value,Autoryzowany Wartość DocType: BOM,Show Operations,Pokaż Operations ,Minutes to First Response for Opportunity,Minutes to pierwsza odpowiedź na szansy apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Razem Nieobecny -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request, +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request, apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Jednostka miary DocType: Fiscal Year,Year End Date,Data końca roku DocType: Task Depends On,Task Depends On,Zadanie Zależy od @@ -2469,7 +2474,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 +106,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 +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/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 @@ -2567,9 +2572,9 @@ DocType: Payment Entry,Total Allocated Amount,Łączna kwota przyznanego wsparci 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 +789,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać" +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/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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Centrum kosztów apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Bon # DocType: Notification Control,Purchase Order Message,Wiadomość Zamówienia Kupna @@ -2585,7 +2590,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 +1165,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 +1086,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 +773,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 @@ -2604,7 +2609,7 @@ DocType: Project,Task Completion,zadanie Zakończenie apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Brak na stanie DocType: Appraisal,HR User,Kadry - użytkownik DocType: Purchase Invoice,Taxes and Charges Deducted,Podatki i opłaty potrącenia -apps/erpnext/erpnext/hooks.py +116,Issues,Zagadnienia +apps/erpnext/erpnext/hooks.py +124,Issues,Zagadnienia apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status musi być jednym z {0} DocType: Sales Invoice,Debit To,Debetowane Konto (Winien) DocType: Delivery Note,Required only for sample item., @@ -2633,6 +2638,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Region apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required, DocType: Stock Settings,Default Valuation Method,Domyślna metoda wyceny +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Opłata DocType: Vehicle Log,Fuel Qty,Ilość paliwa DocType: Production Order Operation,Planned Start Time,Planowany czas rozpoczęcia DocType: Course,Assessment,Oszacowanie @@ -2642,12 +2648,12 @@ 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 +149,Quotation {0} is cancelled,Wycena {0} jest anulowana -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Łączna kwota +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Wszystkie transakcje sprzedaży mogą być oznaczone przed wieloma ** Osoby sprzedaży **, dzięki czemu można ustawić i monitorować cele." ,S.O. No., -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Proszę utworzyć Klienta z {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Proszę utworzyć Klienta z {0} DocType: Price List,Applicable for Countries,Zastosowanie dla krajów apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Pozostawić tylko Aplikacje ze statusem „Approved” i „Odrzucone” mogą być składane apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Nazwa grupy jest obowiązkowe w wierszu {0} @@ -2697,6 +2703,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/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ść @@ -2739,8 +2746,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materiał transferu dla P 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.,Rabat procentowy może być stosowany zarówno przed cenniku dla wszystkich Cenniku. DocType: Purchase Invoice,Half-yearly,Półroczny apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Zapis księgowy dla zapasów +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Oceniałeś już kryteria oceny {}. DocType: Vehicle Service,Engine Oil,Olej silnikowy -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: Sales Invoice,Sales Team1,Team Sprzedażowy1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} nie istnieje DocType: Sales Invoice,Customer Address,Adres klienta @@ -2768,7 +2775,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Osobowość prawna / Filia w oddzielny planu kont należących do Organizacji. DocType: Payment Request,Mute Email,Wyciszenie email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Żywność, Trunki i Tytoń" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Wartość prowizji nie może być większa niż 100 DocType: Stock Entry,Subcontract,Zlecenie apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Podaj {0} pierwszy @@ -2796,7 +2803,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student miesięczny Obecność Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Pracownik {0} już się ubiegał o {1} między {2} a {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data startu projektu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Do +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Do DocType: Rename Tool,Rename Log,Zmień nazwę dziennika apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Plan zajęć dla studentów lub kurs jest obowiązkowy apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Plan zajęć dla studentów lub kurs jest obowiązkowy @@ -2821,7 +2828,7 @@ DocType: Purchase Order Item,Returned Qty,Wrócił szt DocType: Employee,Exit,Wyjście apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Typ Root jest obowiązkowy DocType: BOM,Total Cost(Company Currency),Całkowity koszt (Spółka waluty) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Stworzono nr seryjny {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Stworzono nr seryjny {0} DocType: Homepage,Company Description for website homepage,Opis firmy na stronie głównej DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Dla wygody klientów, te kody mogą być użyte w formacie drukowania jak faktury czy dowody dostawy" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nazwa suplier @@ -2842,7 +2849,7 @@ DocType: SMS Settings,SMS Gateway URL,Adres URL bramki SMS apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Rozkłady zajęć usunięte: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logi do utrzymania sms stan przesyłki DocType: Accounts Settings,Make Payment via Journal Entry,Wykonywanie płatności za pośrednictwem Zapisów Księgowych dziennika -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,wydrukowane na +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,wydrukowane na DocType: Item,Inspection Required before Delivery,Wymagane Kontrola przed dostawą DocType: Item,Inspection Required before Purchase,Wymagane Kontrola przed zakupem apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Oczekujące Inne @@ -2874,9 +2881,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Kapitał wysokiego ryzyka 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.,Semestr z tym "Roku Akademickiego" {0} i 'Nazwa Termin' {1} już istnieje. Proszę zmodyfikować te dane i spróbuj jeszcze raz. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Ponieważ istnieje istniejące transakcje przeciwko elementu {0}, nie można zmienić wartość {1}" +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}","Ponieważ istnieje istniejące transakcje przeciwko elementu {0}, nie można zmienić wartość {1}" DocType: UOM,Must be Whole Number,Musi być liczbą całkowitą DocType: Leave Control Panel,New Leaves Allocated (In Days),Nowe Zwolnienie Przypisano (W Dniach) +DocType: Sales Invoice,Invoice Copy,Kopia faktury apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Nr seryjny {0} nie istnieje DocType: Sales Invoice Item,Customer Warehouse (Optional),Magazyn klienta (opcjonalnie) DocType: Pricing Rule,Discount Percentage,Procent zniżki @@ -2922,8 +2930,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto blisko Issue po 7 d 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Zamroź Wpisy do Asortymentu +DocType: Program Enrollment,Boarding Student,Student Wyżywienia DocType: Asset,Expected Value After Useful Life,Przewidywany okres użytkowania wartości po DocType: Item,Reorder level based on Warehouse,Zmiana kolejności w oparciu o poziom Magazynu DocType: Activity Cost,Billing Rate,Kursy rozliczeniowe @@ -2951,11 +2961,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Wybierz uczniów ręcznie dla grupy działań DocType: Journal Entry,User Remark,Nota Użytkownika DocType: Lead,Market Segment,Segment rynku -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Wpłaconej kwoty nie może być większa od całkowitej ujemnej kwoty należności {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Wpłaconej kwoty nie może być większa od całkowitej ujemnej kwoty należności {0} DocType: Employee Internal Work History,Employee Internal Work History,Historia zatrudnienia pracownika w firmie apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zamknięcie (Dr) DocType: Cheque Print Template,Cheque Size,Czek Rozmiar -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock, +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock, apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Szablon podatkowy dla transakcji sprzedaży. DocType: Sales Invoice,Write Off Outstanding Amount,Nieuregulowana Wartość Odpisu apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} nie pasuje do firmy {1} @@ -2980,7 +2990,7 @@ 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 +348,Add a few sample records,Dodaj kilka rekordów przykładowe +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2994,17 +3004,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Numer seryjny oraz Batch DocType: Warranty Claim,From Company,Od Firmy -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma punktów kryteriów oceny musi być {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Suma punktów kryteriów oceny musi być {0}. 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 +270,Minute,Minuta +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3025,7 +3035,7 @@ DocType: Production Order,PRO-,ZAWODOWIEC- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Konto z kredytem w rachunku bankowym apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip, apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Wiersz {0}: alokowana kwota nie może być większa niż kwota pozostająca do spłaty. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Przeglądaj BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Przeglądaj BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Kredyty Hipoteczne DocType: Purchase Invoice,Edit Posting Date and Time,Edit data księgowania i czas apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Proszę ustawić amortyzacyjny dotyczący Konta aktywów z kategorii {0} lub {1} Spółki @@ -3041,7 +3051,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 +278,Select Quantity,Wybierz ilość +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3064,6 +3074,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Niedozwolona jest modyfikacja transakcji zapasów starszych niż {0} DocType: Purchase Invoice Item,PR Detail, DocType: Sales Order,Fully Billed,Całkowicie Rozliczone +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dostawca> Typ dostawcy 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 +127,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) @@ -3101,8 +3112,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Całkowita ilość Costing 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 DocType: Customs Tariff Number,Tariff Number,Numer taryfy +DocType: Production Order Item,Available Qty at WIP Warehouse,Dostępne ilości w magazynie WIP apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Prognozowany -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Nr seryjny {0} nie należy do magazynu {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Nr seryjny {0} nie należy do magazynu {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,Uwaga: System nie sprawdza nad-dostawy oraz nadmiernej rezerwacji dla pozycji {0} jej wartość lub kwota wynosi 0 DocType: Notification Control,Quotation Message,Wiadomość Wyceny DocType: Employee Loan,Employee Loan Application,Pracownik Loan Application @@ -3121,13 +3133,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kwota Kosztu Voucheru apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rachunki od dostawców. DocType: POS Profile,Write Off Account,Konto Odpisu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota debetowa Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Nota debetowa Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Wartość zniżki DocType: Purchase Invoice,Return Against Purchase Invoice,Powrót Against dowodu zakupu 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 +207,e.g. VAT,np. VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3135,7 +3147,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 +1945,Please select customer,Wybierz klienta +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3164,7 +3176,7 @@ DocType: Lead,Address Desc,Opis adresu apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partia jest obowiązkowe DocType: Journal Entry,JV-,V- DocType: Topic,Topic Name,Nazwa tematu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Conajmniej jeden sprzedaż lub zakup musi być wybrany +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Conajmniej jeden sprzedaż lub zakup musi być wybrany apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Wybierz charakteru swojej działalności. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Wiersz # {0}: Duplikuj wpis w odsyłaczach {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"W przypadku, gdy czynności wytwórcze są prowadzone." @@ -3173,7 +3185,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Minimalna ilość nie może być większa niż maksymalna Ilość +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ść DocType: Account,Accumulated Depreciation,Umorzenia (skumulowana amortyzacja) DocType: Stock Entry,Customer or Supplier Details,Klienta lub dostawcy Szczegóły DocType: Employee Loan Application,Required by Date,Wymagane przez Data @@ -3202,10 +3214,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Zamówienie K apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nazwa firmy nie może być firma apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Nagłówki to wzorów druku apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tytuł szablonu wydruku np.: Faktura Proforma +DocType: Program Enrollment,Walking,Pieszy DocType: Student Guardian,Student Guardian,Student Stróża apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Opłaty typu Wycena nie oznaczone jako Inclusive DocType: POS Profile,Update Stock,Aktualizuj Stan -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dostawca> Typ dostawcy apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM., apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Kursy DocType: Asset,Journal Entry for Scrap,Księgowanie na złom @@ -3259,7 +3271,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Pokaż Podatek rozpad apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3279,14 +3290,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Domyślne Konto Gotówkowe apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Informacje o własnej firmie. 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 +176,No Students in,Brak uczniów w Poznaniu +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 +108,Please enter 'Expected Delivery Date',Proszę wprowadź 'Spodziewaną Datę Dstawy' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Nieprawidłowe GSTIN lub Wpisz NA dla niezarejestrowanych +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3327,23 @@ DocType: Sales Team,Contribution (%),Udział (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Uwaga: Płatność nie zostanie utworzona, gdyż nie określono konta 'Gotówka lub Bank'" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Obowiązki DocType: Expense Claim Account,Expense Claim Account,Konto Koszty Roszczenie +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} za pomocą Konfiguracja> Ustawienia> Serie nazw DocType: Sales Person,Sales Person Name,Imię Sprzedawcy apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Wprowadź co najmniej jedną fakturę do tabelki +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Dodaj użytkowników DocType: POS Item Group,Item Group,Kategoria DocType: Item,Safety Stock,Bezpieczeństwo Zdjęcie apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Postęp% dla zadania nie może zawierać więcej niż 100. DocType: Stock Reconciliation Item,Before reconciliation,Przed pojednania apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Do {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Dodano podatki i opłaty (Firmowe) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable, +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable, DocType: Sales Order,Partly Billed,Częściowo Zapłacono apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Element {0} musi być trwałego przedmiotu DocType: Item,Default BOM,Domyślne Zestawienie Materiałów -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Kwota debetowa Kwota +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Kwota debetowa Kwota apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Proszę ponownie wpisz nazwę firmy, aby potwierdzić" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Razem Najlepszy Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Razem Najlepszy Amt DocType: Journal Entry,Printing Settings,Ustawienia drukowania DocType: Sales Invoice,Include Payment (POS),Obejmują płatności (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Całkowita kwota po stronie debetowej powinna być równa całkowitej kwocie po stronie kretytowej. Różnica wynosi {0} @@ -3338,20 +3351,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive, DocType: Vehicle,Insurance Company,Firma ubezpieczeniowa DocType: Asset Category Account,Fixed Asset Account,Konto trwałego apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Zmienna -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Od dowodu dostawy +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Od dowodu dostawy DocType: Student,Student Email Address,Student adres email DocType: Timesheet Detail,From Time,Od czasu apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,W magazynie: DocType: Notification Control,Custom Message,Niestandardowa wiadomość apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Bankowość inwestycyjna apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Konto Gotówka lub Bank jest wymagane dla tworzenia zapisów Płatności -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę skonfigurować numeryczną serię dla uczestnictwa w programie Setup> Numbering Series apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adres studenta apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adres studenta 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 +1517,Address Name,Adres +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3368,7 +3380,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3376,7 +3388,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Wprowadź wartość musi być dodatnia +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3385,7 +3397,7 @@ DocType: Process Payroll,Process Payroll,Lista Płac apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Jest więcej świąt niż dni pracujących DocType: Product Bundle Item,Product Bundle Item,Pakiet produktów Artykuł DocType: Sales Partner,Sales Partner Name,Imię Partnera Sprzedaży -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Zapytanie o cenę +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Zapytanie o cenę DocType: Payment Reconciliation,Maximum Invoice Amount,Maksymalna kwota faktury DocType: Student Language,Student Language,Student Język apps/erpnext/erpnext/config/selling.py +23,Customers,Klienci @@ -3396,7 +3408,7 @@ DocType: Asset,Partially Depreciated,częściowo Zamortyzowany DocType: Issue,Opening Time,Czas Otwarcia apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Daty Od i Do są wymagane apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Papiery i Notowania Giełdowe -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}'" +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 +847,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji @@ -3415,7 +3427,7 @@ 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 +266,Raw Material,Surowiec +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3427,7 +3439,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data otwarcia powinien być przed Dniem Zamknięcia -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} za pomocą Konfiguracja> Ustawienia> Serie nazw 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 @@ -3440,8 +3451,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Nr-y seryjne Wymagane do szeregowania pozycji {0} +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/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 DocType: Journal Entry,Bank Entry,Operacja bankowa DocType: Authorization Rule,Applicable To (Designation),Stosowne dla (Nominacja) @@ -3458,7 +3469,7 @@ 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 +270,Hour,Godzina +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3468,7 +3479,7 @@ 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 +645,Point of Sale,Punkt Sprzedaży (POS) +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3485,8 +3496,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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" @@ -3512,14 +3523,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 +465,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 +466,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 +834,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 +835,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 @@ -3551,7 +3562,7 @@ 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 +436,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Stan Billing @@ -3599,7 +3610,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ustawienia strony głównej 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 +214,Invalid attribute {0} {1},Nieprawidłowy atrybut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Proszę wybrać grupę oceniającą inną niż "Wszystkie grupy oceny" @@ -3701,16 +3712,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,składników wynagrodze DocType: Program Enrollment Tool,New Academic Year,Nowy rok akademicki apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Powrót / Credit Note DocType: Stock Settings,Auto insert Price List rate if missing,Automatycznie wstaw wartość z cennika jeśli jej brakuje -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Kwota całkowita Płatny +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Kwota całkowita Płatny DocType: Production Order Item,Transferred Qty,Przeniesione ilości apps/erpnext/erpnext/config/learn.py +11,Navigating,Nawigacja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planowanie 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 +272,We sell this Item,Sprzedajemy ten przedmiot/usługę +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3758,7 +3771,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 +1186,Please set Company,Proszę ustawić firmę +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3775,13 +3788,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,pobierania opłat DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Kod kreskowy {0} jest już używana dla przedmiotu {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Kod kreskowy {0} jest już używana dla przedmiotu {1} DocType: Lead,Add to calendar on this date,Dodaj do kalendarza pod tą datą apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Zasady naliczania kosztów transportu. DocType: Item,Opening Stock,Otwarcie Zdjęcie apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klient jest wymagany apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} jest obowiązkowe Powrót DocType: Purchase Order,To Receive,Otrzymać +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Osobisty E-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Całkowitej wariancji DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jeśli opcja jest włączona, system będzie zamieszczać wpisy księgowe dla inwentarza automatycznie." @@ -3793,7 +3807,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 +541,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 +542,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 @@ -3801,7 +3815,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Brak Gwarancji DocType: BOM Replace Tool,Replace,Zamień apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nie znaleziono produktów. -DocType: Production Order,Unstopped,otworzone apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} na fakturę sprzedaży {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nazwa projektu @@ -3812,6 +3825,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} 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 @@ -3849,9 +3863,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Od zakresu apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Błąd składni we wzorze lub stanu: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Codzienna praca podsumowanie Ustawienia firmy -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Element {0} jest ignorowany od momentu, kiedy nie ma go w magazynie" +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 +40,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 +102,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 @@ -3859,12 +3873,14 @@ 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 +209,Rate (%),Stawka (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Proszę wyłączyć filtr firmy, jeśli Group By jest "Company"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Data publikacji nie może być datą przyszłą apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Wiersz # {0}: Numer seryjny: {1} nie jest zgodny z {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Urlop okolicznościowy @@ -3893,7 +3909,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Zapis w księdze zapasów apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Element {0} nie jest ustawiony na nr seryjny. Kolumny powinny być puste +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 DocType: Accounts Settings,Accounts Settings,Ustawienia Kont apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Zatwierdzać DocType: Customer,Sales Partner and Commission,Partner sprzedaży i Prowizja @@ -3908,7 +3924,7 @@ 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 +62,{0} items produced,{0} pozycji wyprodukowanych +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3922,7 +3938,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Razem zwrot kosztów (prze 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} DocType: Journal Entry Account,Exchange Rate,Kurs wymiany -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,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 +560,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 @@ -3947,18 +3963,18 @@ 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 +705,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Spłacić ustaloną kwotę za okres apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Wprowadź ilość dla przedmiotu {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Uwaga kredytowa Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Uwaga kredytowa Amt DocType: Employee External Work History,Employee External Work History,Historia zatrudnienia pracownika poza firmą DocType: Tax Rule,Purchase,Zakup apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Ilość bilansu @@ -3984,7 +4000,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 +2383,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -4014,6 +4030,7 @@ DocType: Guardian,Guardian Of ,Strażnik DocType: Grading Scale Interval,Threshold,Próg DocType: BOM Replace Tool,Current BOM,Obecny BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj nr seryjny +DocType: Production Order Item,Available Qty at Source Warehouse,Dostępne ilości w magazynie źródłowym apps/erpnext/erpnext/config/support.py +22,Warranty,Gwarancja DocType: Purchase Invoice,Debit Note Issued,Nocie debetowej DocType: Production Order,Warehouses,Magazyny @@ -4029,13 +4046,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Kwota zapłaco apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Menadżer Projektu ,Quoted Item Comparison,Porównanie cytowany Item apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Wyślij -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksymalna zniżka pozwoliło na pozycji: {0} jest {1}% +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 +279,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 +879,Select Items to Manufacture,Wybierz produkty do Manufacture -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu" +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" DocType: Item,Material Issue,Wydanie materiałów DocType: Hub Settings,Seller Description,Sprzedawca Opis DocType: Employee Education,Qualification,Kwalifikacja @@ -4059,7 +4076,7 @@ DocType: POS Profile,Terms and Conditions,Regulamin 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 +200,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 +198,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 @@ -4080,7 +4097,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Aby ustawić ten rok finansowy jako domyślny, kliknij przycisk ""Ustaw jako domyślne""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,łączyć apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Niedobór szt -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami DocType: Employee Loan,Repay from Salary,Spłaty z pensji DocType: Leave Application,LAP/,LAP/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Żądanie zapłatę przed {0} {1} w ilości {2} @@ -4098,18 +4115,18 @@ 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 +1011,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 +944,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 +213,Serial No {0} has already been received,Nr seryjny {0} otrzymano +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Nr seryjny {0} otrzymano ,Requested Items To Be Transferred,Proszę o Przetranferowanie Przedmiotów 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 +1312,Delete permanently?,Usuń na stałe? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Nieprawidłowy {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Nieprawidłowy {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Urlop chorobowy DocType: Email Digest,Email Digest,przetwarzanie emaila DocType: Delivery Note,Billing Address Name,Nazwa Adresu do Faktury @@ -4122,6 +4139,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Odpowedni do pobierania opłaty. DocType: Company,Change Abbreviation,Zmień Skrót DocType: Expense Claim Detail,Expense Date,Data wydatku +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod pozycji> Grupa pozycji> Marka DocType: Item,Max Discount (%),Maksymalny rabat (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Kwota ostatniego zamówienia DocType: Task,Is Milestone,Jest Milestone @@ -4145,8 +4163,8 @@ DocType: Program Enrollment Tool,New Program,Nowy program DocType: Item Attribute Value,Attribute Value,Wartość atrybutu ,Itemwise Recommended Reorder Level,Pozycja Zalecany poziom powtórnego zamówienia DocType: Salary Detail,Salary Detail,Wynagrodzenie Szczegóły -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Proszę najpierw wybrać {0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} pozycji {1} wygasł. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Proszę najpierw wybrać {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} pozycji {1} wygasł. DocType: Sales Invoice,Commission,Prowizja apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Arkusz Czas produkcji. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Razem @@ -4171,12 +4189,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 +399,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 +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/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 +387,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 +382,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 @@ -4206,7 +4224,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Utylizacja Data DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emaile zostaną wysłane do wszystkich aktywnych pracowników Spółki w danej godzinie, jeśli nie mają wakacji. Streszczenie odpowiedzi będą wysyłane na północy." DocType: Employee Leave Approver,Employee Leave Approver,Zgoda na zwolnienie dla pracownika -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}" +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}" apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",Nie można zadeklarować jako zagubiony z powodu utworzenia kwotacji 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 @@ -4240,6 +4258,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Szef departamentu organizacji apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Wprowadź poprawny numer telefonu kom apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Proszę wpisać wiadomość przed wysłaniem +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,SKLEP DO DOSTAWCY DocType: Email Digest,Pending Quotations,W oczekiwaniu Notowania apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Zaktualizuj Ustawienia SMS @@ -4248,7 +4267,7 @@ DocType: Cost Center,Cost Center Name,Nazwa Centrum Kosztów DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Maksymalny czas pracy przed grafiku DocType: Maintenance Schedule Detail,Scheduled Date,Zaplanowana Data -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Łączna wypłacona Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Łączna wypłacona Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Wiadomości dłuższe niż 160 znaków zostaną podzielone na kilka wiadomości DocType: Purchase Receipt Item,Received and Accepted,Otrzymano i zaakceptowano ,GST Itemised Sales Register,Wykaz numerów sprzedaży produktów GST @@ -4258,7 +4277,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 +237,Your Suppliers,Twoi Dostawcy +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nie można odliczyć, gdy kategoria jest dla 'Wycena' lub 'Vaulation i Total'" @@ -4270,7 +4289,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Strona Obraz {0} dołączone do pozycji {1} nie można znaleźć +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. @@ -4285,7 +4304,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Czym się za apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Do magazynu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Wszystkie Przyjęć studenckie ,Average Commission Rate,Średnia prowizja -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,Numer seryjny nie jest dostępny dla pozycji niemagazynowych +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,Numer seryjny nie jest dostępny dla pozycji niemagazynowych apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Obecność nie może być oznaczana na przyszłość DocType: Pricing Rule,Pricing Rule Help,Wycena Zasada Pomoc DocType: School House,House Name,Nazwa domu @@ -4301,7 +4320,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 +339,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 +340,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 @@ -4316,20 +4335,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip Wynagrodzenie pracownika {0} już stworzony dla arkusza czasu {1} DocType: Vehicle Log,Odometer,Drogomierz DocType: Sales Order Item,Ordered Qty,Ilość Zamówiona -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Element {0} jest wyłączony +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Utwórz Paski Wypłaty -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Zakup musi być sprawdzona, jeśli dotyczy wybrano jako {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Zakup musi być sprawdzona, jeśli dotyczy wybrano jako {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Zniżka musi wynosić mniej niż 100 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 +500,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Koszt kuponu @@ -4393,7 +4412,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Spodziewana data nie może być wcześniejsza od daty prośby o materiał DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów -DocType: Production Order,Source Warehouse (for reserving Items),Źródło Magazyn (do rezerwowania pozycji) DocType: Employee Loan,Repayment Period in Months,Spłata Okres w miesiącach apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Błąd: Nie ważne id? DocType: Naming Series,Update Series Number,Zaktualizuj Numer Serii @@ -4442,7 +4460,7 @@ DocType: Production Order,Planned End Date,Planowana data zakończenia apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Gdzie produkty są przechowywane. DocType: Request for Quotation,Supplier Detail,Dostawca Szczegóły apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Błąd wzoru lub stanu {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Kwota zafakturowana +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Kwota zafakturowana DocType: Attendance,Attendance,Obecność apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,produkty seryjne DocType: BOM,Materials,Materiały @@ -4483,10 +4501,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Konfiguracja prosta strona mojej organizacji +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0} DocType: Item,Default Warehouse,Domyślny magazyn apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budżet nie może być przypisany do rachunku grupy {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Proszę podać nadrzędne centrum kosztów @@ -4548,7 +4566,7 @@ 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 +1344,Select or add new customer,Wybierz lub dodaj nowego klienta +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/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 @@ -4556,6 +4574,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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. @@ -4578,7 +4597,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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ł' @@ -4598,7 +4617,7 @@ DocType: POS Profile,Account for Change Amount,Konto dla zmiany kwoty apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Wiersz {0}: Party / konto nie jest zgodny z {1} / {2} w {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Wprowadź konto Wydatków DocType: Account,Stock,Magazyn -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym z Zamówieniem, faktura zakupu lub Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym z Zamówieniem, faktura zakupu lub Journal Entry" DocType: Employee,Current Address,Obecny adres DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jeśli pozycja jest wariant innego elementu, a następnie opis, zdjęcia, ceny, podatki itp zostanie ustalony z szablonu, o ile nie określono wyraźnie" DocType: Serial No,Purchase / Manufacture Details,Szczegóły Zakupu / Produkcji @@ -4637,11 +4656,12 @@ DocType: Student,Home Address,Adres domowy apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Przeniesienie aktywów DocType: POS Profile,POS Profile,POS profilu DocType: Training Event,Event Name,Nazwa wydarzenia -apps/erpnext/erpnext/config/schools.py +39,Admission,Wstęp +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Wstęp apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Rekrutacja dla {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Element {0} jest szablon, należy wybrać jedną z jego odmian" DocType: Asset,Asset Category,Aktywa Kategoria +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Kupujący apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Stawka Netto nie może być na minusie DocType: SMS Settings,Static Parameters,Parametry statyczne DocType: Assessment Plan,Room,Pokój @@ -4650,6 +4670,7 @@ DocType: Item,Item Tax,Podatek dla tej pozycji apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiał do Dostawcy apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Grupa klienta> Terytorium DocType: Expense Claim,Employees Email Id,Email ID pracownika DocType: Employee Attendance Tool,Marked Attendance,Zaznaczona Obecność apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Bieżące Zobowiązania @@ -4721,6 +4742,7 @@ DocType: Leave Type,Is Carry Forward, apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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 +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 ,Stock Summary,Podsumowanie Zdjęcie diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv index 543b4639ad..7c9b4d4162 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ودرول تولید نظم نه لغوه شي کولای، نو دا د لومړي Unstop لغوه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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 عرضه @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1} +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 +808,Invoice,صورتحساب DocType: Maintenance Schedule Item,Periodicity,Periodicity apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالي کال د {0} ته اړتیا لیدل کیږي @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,کار په جریان کښی apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,مهرباني غوره نیټه DocType: Employee,Holiday List,رخصتي بشپړفهرست -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,محاسب +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,محاسب DocType: Cost Center,Stock User,دحمل کارن DocType: Company,Phone No,تيليفون نه apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,کورس ویش جوړ: @@ -110,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,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 +269,Kg,کيلوګرام +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,کيلوګرام DocType: Student Log,Log,يادښت apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,د دنده پرانيستل. DocType: Item Attribute,Increment,بهرمن @@ -120,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 +42,Not permitted for {0},لپاره نه اجازه {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,له توکي ترلاسه کړئ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,نه توکي موندل +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,خرڅلاو صورتحساب د قالب @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,دحمل راپورونه DocType: Warehouse,Warehouse Detail,ګدام تفصیلي apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},پورونو د حد لپاره د مشتريانو د اوښتي دي {0} د {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا ثابته شتمني" کولای وناکتل نه وي، ځکه چې د توکي په وړاندې د شتمنیو د ثبت شتون لري +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/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,د پيرودونکو سره په همدې نوم شتون لري @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},څخه د {0} د {1} DocType: Item,Copy From Item Group,کاپي له قالب ګروپ DocType: Journal Entry,Opening Entry,د پرانستلو په انفاذ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,پيرودونکو> پيرودونکو ګروپ> خاوره apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب د معاشونو يوازې DocType: Employee Loan,Repay Over Number of Periods,بيرته د د پړاوونه شمیره DocType: Stock Entry,Additional Costs,اضافي لګښتونو @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,املاک -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,د حساب اعلامیه +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,د درملو د DocType: Purchase Invoice Item,Is Fixed Asset,ده ثابته شتمني apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",موجود qty دی {0}، تاسو بايد د {1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,د مصرف +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,د ډول د جوړون توکو غوښتنه پر بنسټ د پورته معیارونو پر وباسي @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,بېلګه: د اساسي ریاضیاتو +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/config/hr.py +214,Settings for HR Module,د بشري حقونو د څانګې ماډل امستنې DocType: SMS Center,SMS Center,SMS مرکز @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,توکي او د بیې ټاکل apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Total ساعتونو: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},له نېټه بايد د مالي کال په چوکاټ کې وي. فرض له نېټه = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,ویناوې DocType: Customer,Individual,انفرادي DocType: Interest,Academics User,پوهانو کارن DocType: Cheque Print Template,Amount In Figure,اندازه په شکل کې @@ -265,7 +266,7 @@ DocType: Employee,Create User,کارن جوړول DocType: Selling Settings,Default Territory,default خاوره apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ټلويزيون د DocType: Production Order Operation,Updated via 'Time Log',روز 'د وخت څېره' له لارې -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1} DocType: Naming Series,Series List for this Transaction,د دې پیسو د انتقال د لړۍ بشپړفهرست DocType: Company,Enable Perpetual Inventory,دايمي موجودي فعال DocType: Company,Default Payroll Payable Account,Default د معاشاتو د راتلوونکې حساب @@ -273,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 +177,For Warehouse is required before Submit,د ګدام مخکې اړتیا سپارل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,تماس نوم +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 پيرودونکو ګروپ @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,کرارولو نېټه بايد په پرتله په یوځای کېدو نېټه ډيره وي 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 +189,Warehouse {0} does not belong to company {1},ګدام {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 +270,Litre,ني +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,د وتو بنديز لګېدلی -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,بانک توکي apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,کلنی DocType: Stock Reconciliation Item,Stock Reconciliation Item,دحمل پخلاينې د قالب @@ -315,7 +316,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 +316,People who teach at your organisation,هغه خلک چې په خپل سازمان د درس +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,اجازه کارونکي ته د DocType: Item,Publish in Hub,په مرکز د خپرېدو DocType: Student Admission,Student Admission,د زده کونکو د شاملیدو ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} د قالب دی لغوه +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} د قالب دی لغوه apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,د موادو غوښتنه DocType: Bank Reconciliation,Update Clearance Date,تازه چاڼېزو نېټه DocType: Item,Purchase Details,رانيول نورولوله @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,د بیړیو د مدير apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,متحدالمال ماخذ کې تېروتنه @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,د پیسو د داخلولو بدل شوی دی وروسته کش تاسو دا. دا بیا لطفا وباسي. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} په قالب د مالياتو د دوه ځله ننوتل +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} په قالب د مالياتو د دوه ځله ننوتل apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,لنډيز دې اوونۍ او په تمه د فعالیتونو لپاره DocType: Student Applicant,Admitted,اعتراف وکړ DocType: Workstation,Rent Cost,د کرايې لګښت @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,٪ د ترلاسه apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,د زده کونکو د ډلو جوړول apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup د مخه بشپړ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,اعتبار يادونه مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,اعتبار يادونه مقدار ,Finished Goods,پای ته سامانونه DocType: Delivery Note,Instructions,لارښوونه: DocType: Quality Inspection,Inspected By,تفتیش By @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,یو نوی پيرودونکو جوړول +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا د تشکیلاتو Setup له لارې د حاضرۍ لړۍ شمېر> شمیرې لړۍ apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,رانيول امر جوړول ,Purchase Register,رانيول د نوم ثبتول DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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,ته وليږدول د -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ځانتیا د {0} په صفات جدول څو ځلې غوره +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,ځانتیا د {0} په صفات جدول څو ځلې غوره DocType: HR Settings,Employee record is created using selected field. ,د کارګر ریکارډ انتخاب ډګر په کارولو سره جوړ. DocType: Sales Order,Not Applicable,کاروړی نه دی apps/erpnext/erpnext/config/hr.py +70,Holiday master.,د رخصتۍ د بادار. @@ -528,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 +219,List a few of your customers. They could be organizations or individuals.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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، که د حساب ګروپ @@ -543,7 +545,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,لطفا د ګدام د کوم لپاره چې د موادو غوښتنه به راپورته شي ننوځي DocType: Production Order,Additional Operating Cost,اضافي عملياتي لګښت apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,د سينګار -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ته لېږدونه، لاندې شتمنۍ باید د دواړو توکي ورته وي +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",ته لېږدونه، لاندې شتمنۍ باید د دواړو توکي ورته وي DocType: Shipping Rule,Net Weight,خالص وزن DocType: Employee,Emergency Phone,بيړنۍ تيليفون apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,کشاورزی @@ -553,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 +2428,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,د اداره کولو په ټیکه @@ -572,7 +574,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / سمول مالیات او په تور DocType: Purchase Invoice,Supplier Invoice No,عرضه صورتحساب نه DocType: Territory,For reference,د ماخذ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",ړنګ نه شي کولای شعبه {0}، لکه څنګه چې په سټاک معاملو کارول +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",ړنګ نه شي کولای شعبه {0}، لکه څنګه چې په سټاک معاملو کارول apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),تړل د (سي آر) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,خوځول د قالب DocType: Serial No,Warranty Period (Days),ګرنټی د دورې (ورځې) @@ -593,7 +595,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,لطفا د شرکت او د ګوند ډول لومړی انتخاب apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,د مالي / جوړوي کال. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,جمع ارزښتونه -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",بښنه غواړو، سریال وځيري نه مدغم شي +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",بښنه غواړو، سریال وځيري نه مدغم شي apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,د کمکیانو لپاره د خرڅلاو د ترتیب پر اساس DocType: Project Task,Project Task,د پروژې د کاري ,Lead Id,سرب د Id @@ -613,6 +615,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,تخصيص apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,خرڅلاو Return 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,نوټ: ټولې اختصاص پاڼي {0} بايد نه مخکې تصویب پاڼو څخه کم وي {1} د مودې لپاره +,Total Stock Summary,Total سټاک لنډيز DocType: Announcement,Posted By,خپرندوی DocType: Item,Delivered by Supplier (Drop Ship),تحویلوونکی له خوا عرضه (لاسرسئ کښتۍ) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,د اخستونکو پوتانشيل په ډیټابیس. @@ -621,7 +624,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,پيرودونکو DocType: Quotation,Quotation To,د داوطلبۍ DocType: Lead,Middle Income,د منځني عايداتو apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),د پرانستلو په (آر) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,د قالب اندازه Default اداره {0} نه شي په مستقيمه شي ځکه بدل مو چې ځينې راکړې ورکړې (ص) سره د یو بل UOM لا کړې. تاسو به اړ یو نوی د قالب د بل Default UOM ګټه رامنځ ته کړي. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,د قالب اندازه Default اداره {0} نه شي په مستقيمه شي ځکه بدل مو چې ځينې راکړې ورکړې (ص) سره د یو بل UOM لا کړې. تاسو به اړ یو نوی د قالب د بل Default UOM ګټه رامنځ ته کړي. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ځانګړې اندازه نه کېدای شي منفي وي apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,مهرباني وکړئ د شرکت جوړ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,مهرباني وکړئ د شرکت جوړ @@ -643,6 +646,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,بادارانو DocType: Assessment Plan,Maximum Assessment Score,اعظمي ارزونه نمره apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,تازه بانک د راکړې ورکړې نیټی apps/erpnext/erpnext/config/projects.py +30,Time Tracking,د وخت د معلومولو +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,دوه ګونو لپاره لېږدول DocType: Fiscal Year Company,Fiscal Year Company,مالي کال د شرکت DocType: Packing Slip Item,DN Detail,DN تفصیلي DocType: Training Event,Conference,کنفرانس @@ -683,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 +320,Timesheet created:,Timesheet جوړ: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,کې شامل کړي DocType: GST Settings,GST Settings,GST امستنې DocType: Selling Settings,Customer Naming By,پيرودونکو نوم By @@ -713,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 +139,Finish,فنلند +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,فنلند apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,اډه DocType: Timesheet,Total Billed Hours,Total محاسبې ته ساعتونه DocType: Journal Entry,Write Off Amount,مقدار ولیکئ پړاو @@ -748,7 +752,7 @@ DocType: Hub Settings,Seller City,پلورونکی ښار ,Absent Student Report,غیر حاضر زده کوونکو راپور DocType: Email Digest,Next email will be sent on:,بل برېښليک به واستول شي په: DocType: Offer Letter Term,Offer Letter Term,وړاندې لیک مهاله -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,د قالب د بېرغونو لري. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,د قالب د بېرغونو لري. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,د قالب {0} ونه موندل شو DocType: Bin,Stock Value,دحمل ارزښت apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,شرکت {0} نه شته @@ -795,12 +799,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",څو د بیو د اصول سره ورته معیارونه شتون، لطفا له خوا لومړیتوب وګومارل شخړې حل کړي. بيه اصول: {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,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو 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 +48,Make Timesheet,Timesheet د کمکیانو لپاره +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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,13 +843,13 @@ 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,د کورنۍ مخينه DocType: Request for Quotation Supplier,Send Email,برېښنا لیک ولېږه -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},خبرداری: ناسم ضميمه {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,نه د اجازې د +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},خبرداری: ناسم ضميمه {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,نه د اجازې د 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 +269,Nos,وځيري +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} بايد وسپارل شي @@ -865,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,د استهلاک د پرانيستلو @@ -953,14 +957,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,هیښ {0} بايد فعال وي +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} بندول د دې د ساتنې سفر مخکې -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},شعبه {0} نه د قالب سره تړاو نه لري {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},شعبه {0} نه د قالب سره تړاو نه لري {1} DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,د موجوده معامله ګودامونو ته د پنډو بدل نه شي. DocType: Bank Reconciliation,Total Amount,جمله پیسی @@ -977,7 +981,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,د اجزاو apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},لطفا په قالب د شتمنیو کټه ګورۍ ته ننوځي {0} DocType: Quality Inspection Reading,Reading 6,لوستلو 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,نه شی کولای د {0} د {1} {2} کومه منفي بيالنس صورتحساب پرته +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,نه شی کولای د {0} د {1} {2} کومه منفي بيالنس صورتحساب پرته 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} @@ -991,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 +731,New Sales Invoice,نوي خرڅلاو صورتحساب +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب DocType: Payment Request,Paid,ورکړل DocType: Program Fee,Program Fee,پروګرام فیس DocType: Salary Slip,Total in words,په لفظ Total @@ -1029,10 +1033,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,کيمياوي DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default بانک / د نقدو پیسو حساب به په معاش ژورنال انفاذ په اتوماتيک ډول پرلیکه شي کله چې دا اکر انتخاب. DocType: BOM,Raw Material Cost(Company Currency),لومړنیو توکو لګښت (شرکت د اسعارو) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ټول توکي لا له وړاندې د دې تولید نظم ته انتقال شوي دي. +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 +270,Meter,متره +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,متره DocType: Workstation,Electricity Cost,د بريښنا د لګښت DocType: HR Settings,Don't send Employee Birthday Reminders,آيا د کارګر کالیزې په دوراني ډول نه استوي DocType: Item,Inspection Criteria,تفتیش معیارونه @@ -1055,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 +452,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,د توازن د پور مقدار @@ -1063,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 +259,Qty for {0},د Qty {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,بالک بشپړفهرست نیټی څخه ووځي @@ -1075,9 +1079,9 @@ DocType: Purchase Invoice,Cash/Bank Account,د نغدو پيسو / بانک حس apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},مهرباني وکړئ مشخص یو {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,په اندازه او ارزښت نه بدلون لرې توکي. DocType: Delivery Note,Delivery To,ته د وړاندې کولو -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ځانتیا جدول الزامی دی +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,ځانتیا جدول الزامی دی DocType: Production Planning Tool,Get Sales Orders,خرڅلاو امر ترلاسه کړئ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} کېدای شي منفي نه وي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} کېدای شي منفي نه وي apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,تخفیف DocType: Asset,Total Number of Depreciations,Total د Depreciations شمېر DocType: Sales Invoice Item,Rate With Margin,کچه د څنډی څخه @@ -1114,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,Default پلورل لګښت مرکز DocType: Sales Partner,Implementation Partner,د تطبیق همکار -apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,زیپ کوډ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,جوړول دحمل توکي @@ -1133,7 +1137,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,لست ستاسو د عرضه کوونکو د څو. هغوی کولی شي، سازمانونو یا وګړو. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),لږ تر لږه مشري عمر (ورځې) @@ -1158,7 +1162,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ویشونکی- DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خرید په ګاډۍ نقل حاکمیت apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,تولید نظم {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',مهرباني وکړئ ټاکل 'د اضافي کمښت Apply' +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 DocType: Global Defaults,Global Defaults,Global افتراضیو @@ -1166,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 +22,First 2 digits of GSTIN should match with State number {0},د GSTIN لومړی 2 ګڼې باید سره د بهرنیو چارو شمېر سمون {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,د ظرفیت د پلان کې تېروتنه +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,د ظرفیت د پلان کې تېروتنه ,Trial Balance for Party,د محاکمې بیلانس د ګوندونو DocType: Lead,Consultant,مشاور DocType: Salary Slip,Earnings,عوايد @@ -1188,7 +1192,7 @@ DocType: Purchase Invoice,Is Return,آیا بیرته apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,بیرته / ګزارې يادونه DocType: Price List Country,Price List Country,بیې په لېست کې د هېواد DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} لپاره د قالب د اعتبار وړ سریال ترانسفارمرونو د {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} لپاره د قالب د اعتبار وړ سریال ترانسفارمرونو د {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,د قالب قانون د سریال شمیره بدلون نه شي کولای apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS پيژند {0} لا کارن لپاره جوړ: {1} او د شرکت {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM د تغیر فکتور @@ -1198,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 +675,Cost Center For Item with Item Code ',لګښت لپاره مرکز سره د قالب کوډ 'د قالب -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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 +1244,7 @@ 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,محتویات پنډو DocType: Grading Scale,Intervals,انټروال apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ژر -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",د قالب ګروپ سره په همدې نوم شتون لري، لطفا توکی نوم بدل کړي او يا د توکي ډلې نوم +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,د قالب {0} نه شي کولای دسته لري @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ DocType: Purchase Invoice,Rejected Warehouse,رد ګدام DocType: GL Entry,Against Voucher,په وړاندې د ګټمنو DocType: Item,Default Buying Cost Center,Default د خريداري لګښت مرکز @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,خرڅلاو نظم {0} د اعتبار وړ نه دی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,د صادریدو ځای apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,د قرارداد د DocType: Email Digest,Add Quote,Add بیه -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion عامل لپاره UOM ضروري دي: {0} په شمیره: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion عامل لپاره UOM ضروري دي: {0} په شمیره: {1} 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 +736,Sync Master Data,پرانیځئ ماسټر معلوماتو -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ستاسو د تولیداتو يا خدمتونو +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,ستاسو د تولیداتو يا خدمتونو DocType: Mode of Payment,Mode of Payment,د تادیاتو اکر -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي +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 DocType: Purchase Invoice Item,BOM,هیښ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,دا یو د ريښي توکی ډلې او نه تصحيح شي. @@ -1323,14 +1327,13 @@ 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 +562,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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 د' ډګر، چې کولای شي د قالب، د قالب ګروپ یا نښې وي. 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 وي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},تولید نظم حالت دی {0} DocType: Appraisal Goal,Goal,موخه DocType: Sales Invoice Item,Edit Description,سمول Description ,Team Updates,ټيم اوسمهالونه @@ -1346,14 +1349,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,د ماشومانو د ګدام د دې ګودام موجود دی. تاسو نه شي کولای د دې ګودام ړنګول. DocType: Item,Website Item Groups,وېب پاڼه د قالب ډلې DocType: Purchase Invoice,Total (Company Currency),Total (شرکت د اسعارو) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,سریال {0} ننوتل څخه یو ځل بیا +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 +78,{0} items in progress,{0} په پرمختګ توکي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1415,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1427,7 @@ 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 +260,Max: {0},اعظمي: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,د مخابراتو يادښت. @@ -1435,7 +1437,7 @@ DocType: Sales Invoice,Shipping Address Name,استونې پته نوم apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,د حسابونو چارټ DocType: Material Request,Terms and Conditions Content,د قرارداد شرايط منځپانګه apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,نه شي کولای په پرتله 100 وي -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} د قالب يو سټاک د قالب نه دی +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} د قالب يو سټاک د قالب نه دی DocType: Maintenance Visit,Unscheduled,ناپلان شوې DocType: Employee,Owned,د دولتي DocType: Salary Detail,Depends on Leave Without Pay,په پرته د معاشونو اذن سره تړلی دی @@ -1466,7 +1468,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 +273,We buy this Item,موږ د دې توکي پېري +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 توازن @@ -1477,7 +1479,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 +266,Sub Assemblies,فرعي شورا +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,فرعي شورا DocType: Asset,Asset Name,د شتمنیو نوم DocType: Project,Task Weight,کاري وزن DocType: Shipping Rule Condition,To Value,ته ارزښت @@ -1510,12 +1512,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,سرچینه 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 +239,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,هیڅ ډول ثبتونې په قطعا د جدول کې وموندل apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},دا {0} د شخړو د {1} د {2} {3} DocType: Student Attendance Tool,Students HTML,زده کوونکو د HTML DocType: POS Profile,Apply Discount,Apply کمښت -DocType: Purchase Invoice Item,GST HSN Code,GST HSN کوډ +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 +283,Packing Slip(s) cancelled,بسته بنديو ټوټه (s) لغوه @@ -1558,8 +1560,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 +2573,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,بکس +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 +873,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,د اخيستونکي بشپړفهرست تش دی. لطفا رامنځته اخيستونکي بشپړفهرست @@ -1589,7 +1591,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,دبيرته طريقه DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",که وکتل، د کور مخ کې به د دغې ویب پاڼې د تلواله د قالب ګروپ وي DocType: Quality Inspection Reading,Reading 4,لوستلو 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},د {0} نه د پروژو په موندل Default هیښ {1} 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} @@ -1606,29 +1607,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,نوې دنده apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,د داوطلبۍ د کمکیانو لپاره د apps/erpnext/erpnext/config/selling.py +216,Other Reports,نور راپورونه DocType: Dependent Task,Dependent Task,اتکا کاري -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},لپاره د اندازه کولو واحد default تغیر فکتور باید 1 په قطار وي {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},لپاره د اندازه کولو واحد default تغیر فکتور باید 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 ورځو عملیاتو کوښښ وکړئ. 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} DocType: SMS Center,Receiver List,د اخيستونکي بشپړفهرست -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,د لټون د قالب +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,لا د بشپړ +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/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 +263,Quantity must not be more than {0},اندازه بايد زيات نه وي {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,دحساب نوم apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,له نېټه نه شي ته د نېټه څخه ډيره وي -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,شعبه {0} کمیت {1} نه شي کولای یوه برخه وي +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,شعبه {0} کمیت {1} نه شي کولای یوه برخه وي apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,عرضه ډول بادار. 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,conversion کچه نه شي کولای 0 يا 1 وي @@ -1636,6 +1637,7 @@ 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: Delivery Note,Vehicle Dispatch Date,چلاونه د موټرو نېټه +DocType: Purchase Order Item,HSN/SAC,HSN / د ژېړو apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,رانيول رسيد {0} نه سپارل DocType: Company,Default Payable Account,Default د راتلوونکې اکانټ apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",د انلاین سودا کراچۍ امستنې لکه د لېږد د اصولو، د نرخونو لست نور @@ -1692,7 +1694,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,دننه د پاڼ DocType: Sales Invoice,Packed Items,ډک توکی apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,سریال نمبر په وړاندې تضمین ادعا DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",په نورو ټولو BOMs چیرته چې کارول یو ځانګړي هیښ ځاېناستول. دا به د زاړه هیښ تړنه ځای، د لګښت د نوي کولو او د هر نوي هیښ د "هیښ چاودنه د قالب" جدول احيا کړي -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ټول' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','ټول' DocType: Shopping Cart Settings,Enable Shopping Cart,خرید په ګاډۍ فعال کړه DocType: Employee,Permanent Address,دایمی استو ګنځی apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1728,6 +1730,7 @@ DocType: Material Request,Transferred,سپارل DocType: Vehicle,Doors,دروازو apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup بشپړ! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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 پيرودونکو ګروپ سره په همدې نوم موجود دی لطفا د پيرودونکو نوم بدل کړي او يا د مراجعينو د ګروپ نوم بدلولی شی @@ -1747,7 +1750,7 @@ 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 +699,Offline,د نالیکي +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,د دنده متقاضي @@ -1763,7 +1766,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,اصلي apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variant DocType: Naming Series,Set prefix for numbering series on your transactions,چې د خپلې راکړې ورکړې شمیر لړ جوړ مختاړی DocType: Employee Attendance Tool,Employees HTML,د کارکوونکو د HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي DocType: Employee,Leave Encashed?,ووځي Encashed؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت له ډګر الزامی دی DocType: Email Digest,Annual Expenses,د کلني لګښتونو @@ -1776,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 +175,Work-in-Progress Warehouse is required before Submit,کار-in-پرمختګ ګدام مخکې اړتیا سپارل +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,قانوني معلومات او ستاسو د عرضه په هکله د نورو عمومي معلومات @@ -1786,7 +1789,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,د زده کوونکو د ډلې پياوړتيا apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ژورنال په وړاندې د انفاذ {0} نه کوم السوري {1} د ننوتلو لري apps/erpnext/erpnext/config/hr.py +137,Appraisals,ارزونه -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},دوه شعبه لپاره د قالب ته ننوتل {0} +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}. ته-د بیلونو په اجازه، لطفا په اخیستلو ته امستنې جوړ @@ -1795,7 +1798,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,د پیسو @@ -1814,12 +1817,12 @@ 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 +257,"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 +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.",ستاسو د تولیداتو يا خدمتونو چې تاسو واخلي او يا خرڅ لست کړئ. د کمکیانو لپاره د ډاډ تر لاسه کله چې تاسو د پيل د قالب ګروپ، د اندازه کولو او نورو ملکیتونو واحد وګورئ. 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: Asset Movement,Asset Movement,د شتمنیو غورځنګ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,د نوي په ګاډۍ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,په عرابو @@ -1845,7 +1848,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,سامان له معاملو رانيول ترلاسه کړئ DocType: Serial No,Creation Date,جوړېدنې نېټه apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} د قالب کې د بیې په لېست کې څو ځلې ښکاري {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",پلورل باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",پلورل باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0} DocType: Production Plan Material Request,Material Request Date,د موادو غوښتنه نېټه DocType: Purchase Order Item,Supplier Quotation Item,عرضه کوونکي د داوطلبۍ د قالب DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,معلولينو د تولید امر په وړاندې د وخت يادښتونه رامنځته. عملیاتو بايد د تولید نظم په وړاندې له پښو نه شي @@ -1862,12 +1865,12 @@ DocType: Supplier,Supplier of Goods or Services.,د اجناسو يا خدمتو DocType: Budget,Fiscal Year,پولي کال، مالي کال DocType: Vehicle Log,Fuel Price,د ګازو د بیو DocType: Budget,Budget,د بودجې د -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,د ثابت د شتمنیو د قالب باید یو غیر سټاک وي. +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 +209,e.g. 5,د مثال په 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د خرڅلاو صورتحساب وژغوري. @@ -1876,7 +1879,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 +263,A Product or Service,تولید یا د خدمت +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,اوسنی ارزښت @@ -1951,7 +1954,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,جوړه +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,جوړه apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ DocType: Asset,Depreciation Schedule,د استهالک ويش apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,خرڅلاو همکار پتې او د اړيکو @@ -1970,10 +1973,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},د قالب ګروپ نه د توکی په توکی بادار ذکر {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي +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,د حساب ډیبیټ باید یو ترلاسه حساب وي DocType: Shipping Rule Condition,Shipping Amount,انتقال مقدار -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,پېرېدونکي ورزیات کړئ +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,6 +1993,7 @@ DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه ,Supplier-Wise Sales Analytics,عرضه تدبيراومصلحت خرڅلاو Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ورکړل مقدار وليکئ DocType: Salary Structure,Select employees for current Salary Structure,د اوسني معاش جوړښت انتخاب کارکوونکو +DocType: Sales Invoice,Company Address Name,شرکت پته نوم 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)",د موروپلار کورس (پرېږدئ خالي، که دا د موروپلار کورس برخه نه ده) @@ -2010,7 +2014,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 +269,Unit,د واحد +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2036,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د خرڅلاو نظم یو، خرڅلاو صورتحساب یا ژورنال انفاذ وي +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: له وخت او د وخت فرض ده. DocType: Stock Reconciliation Item,Amount Difference,اندازه بدلون @@ -2041,7 +2045,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,له خوا د سيمې د پېرېدونکي طبقه apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,توپیر رقم بايد صفر وي DocType: Project,Gross Margin,Gross څنډی -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,مهرباني وکړئ لومړی تولید د قالب ته ننوځي +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 +748,Quotation,د داوطلبۍ @@ -2053,7 +2057,7 @@ 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: Opportunity,Customer / Lead Address,پيرودونکو / سوق پته -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},خبرداری: په ضمیمه کی ناسم ایس ایس د سند د {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},خبرداری: په ضمیمه کی ناسم ایس ایس د سند د {0} DocType: Student Admission,Eligibility,وړتيا apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",لامل تاسو سره مرسته ترلاسه سوداګرۍ، ټولې خپلې اړيکې او نور ستاسو د لامل اضافه DocType: Production Order Operation,Actual Operation Time,واقعي عملياتو د وخت @@ -2072,11 +2076,11 @@ DocType: Appraisal,Calculate Total Score,ټولې نمرې محاسبه DocType: Request for Quotation,Manufacturing Manager,دفابريکي مدير apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},شعبه {0} لاندې ترمړوندونو تضمین دی {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,بیلتون د سپارنې يادونه په چمدان. -apps/erpnext/erpnext/hooks.py +87,Shipments,مالونو +apps/erpnext/erpnext/hooks.py +94,Shipments,مالونو DocType: Payment Entry,Total Allocated Amount (Company Currency),ټولې مقدار (شرکت د اسعارو) DocType: Purchase Order Item,To be delivered to customer,د دې لپاره چې د پېرېدونکو ته وسپارل شي DocType: BOM,Scrap Material Cost,د اوسپنې د موادو لګښت -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,شعبه {0} نه د هر ډول ګدام سره تړاو نه لري +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,شعبه {0} نه د هر ډول ګدام سره تړاو نه لري DocType: Purchase Invoice,In Words (Company Currency),په وييکي (شرکت د اسعارو) DocType: Asset,Supplier,عرضه DocType: C-Form,Quarter,پدې ربع کې @@ -2091,11 +2095,10 @@ DocType: Leave Application,Total Leave Days,Total اجازه ورځې DocType: Email Digest,Note: Email will not be sent to disabled users,يادونه: دبرېښنا ليک به د معلولينو کارنان نه واستول شي apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,د عمل له شمیره apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,د عمل له شمیره -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,شمیره code> توکی ګروپ> نښې 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 +408,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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",لطفا په تيروخت کي يو قطار تخصيص مقدار، صورتحساب ډول او صورتحساب شمېر غوره @@ -2139,7 +2142,8 @@ 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,اجرايوي ريس DocType: Expense Claim Detail,Expense Claim Detail,اخراجاتو ادعا تفصیلي -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,لطفا صحيح حساب وټاکئ +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,د عرضه TRIPLICATE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,لطفا صحيح حساب وټاکئ DocType: Item,Weight UOM,وزن UOM DocType: Salary Structure Employee,Salary Structure Employee,معاش جوړښت د کارګر DocType: Employee,Blood Group,د وينې ګروپ @@ -2161,7 +2165,7 @@ DocType: Student,Guardians,ساتونکو 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 +336,Debit To is required,ډیبیټ ته اړتيا ده +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,وړاندیز مهاله @@ -2174,7 +2178,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total معاش: {0 DocType: BOM Website Operation,BOM Website Operation,هیښ وېب پاڼه د عملياتو apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,وړاندیزلیک apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,مادي غوښتنې (MRP) او د تولید امر کړي. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total رسیدونو د نننیو +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Total رسیدونو د نننیو DocType: BOM,Conversion Rate,conversion Rate apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,د محصول د لټون DocType: Timesheet Detail,To Time,ته د وخت @@ -2189,7 +2193,7 @@ 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} سټاک پخلاينې سټاک انفاذ په کارولو سره، لطفا ګټه نه تازه شي DocType: Training Event Employee,Training Event Employee,د روزنې دکمپاینونو د کارګر -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} پرلپسې لپاره د قالب اړتیا {1}. تاسي چمتو {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} پرلپسې لپاره د قالب اړتیا {1}. تاسي چمتو {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,اوسنی ارزښت Rate DocType: Item,Customer Item Codes,پيرودونکو د قالب کودونه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,په بدل کې لاسته راغلې ګټه / له لاسه ورکول @@ -2237,7 +2241,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 +2454,Select Batch No,انتخاب دسته نه +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,پرمختللی مقدار @@ -2261,19 +2265,19 @@ DocType: Leave Block List,Allow Users,کارنان پرېښودل DocType: Purchase Order,Customer Mobile No,پيرودونکو د موبايل په هيڅ DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,جلا عايداتو وڅارئ او د محصول verticals یا اختلافات اخراجاتو. DocType: Rename Tool,Rename Tool,ونوموئ اوزار -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,تازه لګښت +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 +438,Show Salary Slip,انکړپټه ښودل معاش ټوټه apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,انتخاب بدلون اندازه حساب +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,مالیات ورزیات کړئ +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,د بودجې د حساب @@ -2284,6 +2288,7 @@ DocType: Stock Entry,Purchase Receipt No,رانيول رسيد نه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ارنست د پیسو DocType: Process Payroll,Create Salary Slip,معاش ټوټه جوړول apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,د واردکوونکو +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / د ژېړو کوډ 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,د کارګر @@ -2313,7 +2318,7 @@ DocType: Employee Education,Post Graduate,ليکنه د فارغ شول DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,د ساتنې او مهال ويش تفصیلي DocType: Quality Inspection Reading,Reading 9,لوستلو 9 DocType: Supplier,Is Frozen,ده ګنګل -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,ګروپ غوټه ګودام اجازه نه وي چې د معاملو وټاکئ +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,ګروپ غوټه ګودام اجازه نه وي چې د معاملو وټاکئ DocType: Buying Settings,Buying Settings,د خريداري امستنې DocType: Stock Entry Detail,BOM No. for a Finished Good Item,لپاره د ختم ښه قالب هیښ شمیره DocType: Upload Attendance,Attendance To Date,د نېټه حاضرۍ @@ -2329,13 +2334,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی. +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.js +153,You can not change rate if BOM mentioned agianst any item,تاسو نه شي کولای کچه بدلون که هیښ agianst مواد یاد +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,د مقدار apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},لطفا د قطار د {0} د قالب ته ننوځي پلان Qty {1} @@ -2357,7 +2362,7 @@ DocType: Authorization Rule,Authorized Value,اجازه ارزښت DocType: BOM,Show Operations,خپرونه عملیاتو په ,Minutes to First Response for Opportunity,لپاره د فرصت د لومړی غبرګون دقيقو apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total حاضر -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,د اندازه کولو واحد DocType: Fiscal Year,Year End Date,کال د پای نیټه DocType: Task Depends On,Task Depends On,کاري پورې تړلی دی د @@ -2429,7 +2434,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},آیا د پلورنې نظم کمیت څخه زیات د قالب {0} د توليد نه {1} +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/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 نه شي کولای په غاړه دبرېښنا ليک پته په توګه ورته وي @@ -2527,9 +2532,9 @@ 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 +789,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,دسرچینی یادونه +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,دسرچینی یادونه DocType: Budget,Cost Center,لګښت مرکز apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,ګټمنو # DocType: Notification Control,Purchase Order Message,پیري نظم پيغام @@ -2545,7 +2550,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 +1165,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,دحمل امستنې @@ -2564,7 +2569,7 @@ DocType: Project,Task Completion,کاري پوره کول apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,نه په سټاک DocType: Appraisal,HR User,د بشري حقونو څانګې د کارن DocType: Purchase Invoice,Taxes and Charges Deducted,مالیه او په تور مجرايي -apps/erpnext/erpnext/hooks.py +116,Issues,مسایل +apps/erpnext/erpnext/hooks.py +124,Issues,مسایل apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},وضعیت باید د یو وي {0} DocType: Sales Invoice,Debit To,د ډیبیټ DocType: Delivery Note,Required only for sample item.,يوازې د نمونه توکی ته اړتيا لري. @@ -2593,6 +2598,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,خاوره apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,لورينه وکړئ د اړتيا کتنو نه یادونه DocType: Stock Settings,Default Valuation Method,تلواله ارزښت Method +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,فیس DocType: Vehicle Log,Fuel Qty,د تیلو د Qty DocType: Production Order Operation,Planned Start Time,پلان د پیل وخت DocType: Course,Assessment,ارزونه @@ -2602,12 +2608,12 @@ 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 +149,Quotation {0} is cancelled,د داوطلبۍ {0} دی لغوه -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total وتلي مقدار +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,د بیې په لېست ماسټر DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ټول خرڅلاو معاملې کولی شی څو ** خرڅلاو اشخاص ** په وړاندې د سکس شي تر څو چې تاسو کولای شي او د اهدافو څخه څارنه وکړي. ,S.O. No.,SO شمیره -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},لطفآ د سرب د پيرودونکو رامنځته {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},لطفآ د سرب د پيرودونکو رامنځته {0} DocType: Price List,Applicable for Countries,لپاره هیوادونه د تطبيق وړ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,يوازې سره حالت غوښتنلیکونه پرېږدئ 'تصویب' او 'رد' کولای وسپارل شي apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},د زده کونکو د ډلې نوم په قطار الزامی دی {0} @@ -2645,6 +2651,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/config/hr.py +163,Define various loan types,د پور د مختلفو ډولونو تعریف DocType: Bin,FCFS Rate,FCFS Rate DocType: Payment Reconciliation Invoice,Outstanding Amount,بيالنس مقدار @@ -2687,8 +2694,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,د جوړون د توکو 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.,تخفیف سلنه يا په وړاندې د بیې په لېست کې او یا د ټولو د بیې په لېست کارول کيداي شي. DocType: Purchase Invoice,Half-yearly,Half-کلنی apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,تاسو مخکې د ارزونې معیارونه ارزول {}. DocType: Vehicle Service,Engine Oil,د انجن د تیلو -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا د تشکیلاتو کارکوونکی کې د بشري منابعو د سیستم نوم> د بشري حقونو څانګې امستنې 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,پيرودونکو پته @@ -2716,7 +2723,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,قانوني نهاد / مستقلې سره د حسابونه د يو جلا چارت د سازمان پورې. DocType: Payment Request,Mute Email,ګونګ دبرېښنا ليک apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",د خوړو، او نوشابه & تنباکو -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,کمیسیون کچه نه شي کولای په پرتله 100 وي DocType: Stock Entry,Subcontract,فرعي apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,لطفا {0} په لومړي @@ -2744,7 +2751,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,د زده کوونکو میاشتنی حاضرۍ پاڼه apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},د کارګر {0} لا د پلي {1} تر منځ د {2} او {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,د پروژې د پیل نیټه -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,تر +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,تر DocType: Rename Tool,Rename Log,د رښتو يادښت apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,د زده کوونکو د ډلې يا کورس ويش الزامی دی apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,د زده کوونکو د ډلې يا کورس ويش الزامی دی @@ -2769,7 +2776,7 @@ DocType: Purchase Order Item,Returned Qty,راستون Qty DocType: Employee,Exit,وتون apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,د ريښي ډول فرض ده DocType: BOM,Total Cost(Company Currency),ټولیز لګښت (شرکت د اسعارو) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,شعبه {0} جوړ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,شعبه {0} جوړ DocType: Homepage,Company Description for website homepage,د ویب پاڼه Company Description DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",د مشتريانو د مناسب وخت، دغو کوډونو په چاپي فرمت څخه په څېر بلونه او د محصول سپارل یاداښتونه وکارول شي apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier نوم @@ -2790,7 +2797,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS ليدونکی URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,کورس ویش ړنګ: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,د SMS د وړاندې کولو او مقام د ساتلو يادښتونه DocType: Accounts Settings,Make Payment via Journal Entry,ژورنال انفاذ له لارې د پیسو د کمکیانو لپاره -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,چاپ شوی +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,چاپ شوی DocType: Item,Inspection Required before Delivery,د سپارنې مخکې د تفتیش د غوښتل شوي DocType: Item,Inspection Required before Purchase,رانيول مخکې د تفتیش د غوښتل شوي apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,انتظار فعالیتونه @@ -2822,9 +2829,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,د زده apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,حد اوښتي apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,سره د دې د تعليمي کال د 'يوه علمي اصطلاح {0} او مهاله نوم' {1} مخکې نه شتون لري. لطفا د دې زياتونې کې بدلون او بیا کوښښ وکړه. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",لکه {0} توکی په وړاندې د موجودو معاملو شته دي، تاسو نه شي کولای د ارزښت د بدلون {1} +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}",لکه {0} توکی په وړاندې د موجودو معاملو شته دي، تاسو نه شي کولای د ارزښت د بدلون {1} DocType: UOM,Must be Whole Number,باید ټول شمېر وي DocType: Leave Control Panel,New Leaves Allocated (In Days),نوې پاڼې د تخصيص (په ورځې) +DocType: Sales Invoice,Invoice Copy,صورتحساب کاپي apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,شعبه {0} نه شته DocType: Sales Invoice Item,Customer Warehouse (Optional),پيرودونکو ګدام (اختیاري) DocType: Pricing Rule,Discount Percentage,تخفیف سلنه @@ -2870,8 +2878,10 @@ 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 +305,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,د استهلاک د حساب DocType: Stock Settings,Freeze Stock Entries,د يخبندان دحمل توکي +DocType: Program Enrollment,Boarding Student,دمېړه د زده کوونکو DocType: Asset,Expected Value After Useful Life,د تمی وړ ارزښت ګټور ژوند وروسته DocType: Item,Reorder level based on Warehouse,ترمیمي په کچه د پر بنسټ د ګدام DocType: Activity Cost,Billing Rate,د بیلونو په کچه @@ -2899,11 +2909,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,د فعالیت پر بنسټ د ګروپ لپاره د انتخاب کوونکو لاسي DocType: Journal Entry,User Remark,کارن تبصره DocType: Lead,Market Segment,بازار برخه -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ورکړل مقدار نه شي کولای ټولو منفي بيالنس مقدار څخه ډيره وي {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ورکړل مقدار نه شي کولای ټولو منفي بيالنس مقدار څخه ډيره وي {0} DocType: Employee Internal Work History,Employee Internal Work History,د کارګر کورني کار تاریخ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),تړل د (ډاکټر) DocType: Cheque Print Template,Cheque Size,آرډر اندازه -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,شعبه {0} په ګدام کې نه +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,شعبه {0} په ګدام کې نه apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,د معاملو د پلورلو د مالياتو کېنډۍ. DocType: Sales Invoice,Write Off Outstanding Amount,ولیکئ پړاو وتلي مقدار apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},حساب {0} سره شرکت سره سمون نه خوري {1} @@ -2928,7 +2938,7 @@ 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 +348,Add a few sample records,نمونه اسنادو يو څو ورزیات کړئ +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,په بشپړه توګه وسپارل شول @@ -2942,17 +2952,17 @@ 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,دحمل وړاندوینی Qty -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,پيرودونکو د اخستلو امر apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,شعبه او دسته DocType: Warranty Claim,From Company,له شرکت -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,د ارزونې معیارونه په لسګونو Sum ته اړتيا لري د {0} وي. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,د ارزونې معیارونه په لسګونو Sum ته اړتيا لري د {0} وي. 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 +270,Minute,دقیقه +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,دقیقه DocType: Purchase Invoice,Purchase Taxes and Charges,مالیات او په تور پیري ,Qty to Receive,Qty له لاسه DocType: Leave Block List,Leave Block List Allowed,پريږدئ بالک بشپړفهرست اجازه @@ -2973,7 +2983,7 @@ DocType: Production Order,PRO-,پلوه apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,بانک قرضې اکانټ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,معاش ټوټه د کمکیانو لپاره apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,د کتارونو تر # {0}: ځانګړې شوې مقدار نه بيالنس اندازه په پرتله زیات وي. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,کتنه د هیښ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,کتنه د هیښ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,خوندي پور DocType: Purchase Invoice,Edit Posting Date and Time,سمول نوکرې نېټه او وخت apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا په شتمنیو کټه ګورۍ {0} یا د شرکت د استهالک اړوند حسابونه جوړ {1} @@ -2989,7 +2999,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 +278,Select Quantity,انتخاب مقدار +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 وباسو @@ -3012,6 +3022,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},اجازه نه سټاک معاملو د اوسمهالولو په پرتله د زړو {0} DocType: Purchase Invoice Item,PR Detail,PR تفصیلي DocType: Sales Order,Fully Billed,په بشپړ ډول محاسبې ته +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,عرضه> عرضه ډول 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 +127,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),د بنډل خالص وزن. معمولا د خالص وزن + د بسته بندۍ مواد وزن. (د چاپي) @@ -3050,8 +3061,9 @@ 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} نه سپارل DocType: Customs Tariff Number,Tariff Number,د تعرفې شمیره +DocType: Production Order Item,Available Qty at WIP Warehouse,موجود Qty په WIP ګدام apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,وړاندوینی -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},شعبه {0} نه ګدام سره تړاو نه لري {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},شعبه {0} نه ګدام سره تړاو نه لري {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,يادونه: د سیستم به وګورئ نه د رسولو او د-پرواز لپاره د قالب {0} په توګه مقدار يا اندازه ده 0 DocType: Notification Control,Quotation Message,د داوطلبۍ پيغام DocType: Employee Loan,Employee Loan Application,د کارګر د پور کاریال @@ -3070,13 +3082,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,تيرماښام لګښت ګټمنو مقدار apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,بلونه له خوا عرضه راپورته کړې. DocType: POS Profile,Write Off Account,حساب ولیکئ پړاو -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ډیبیټ یادونه نننیو +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ډیبیټ یادونه نننیو apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,تخفیف مقدار 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 +207,e.g. VAT,د بيلګې په توګه VAT +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,فرعي قرارداد @@ -3084,7 +3096,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 +1945,Please select customer,لطفا د مشتريانو د ټاکلو +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,لطفا د مشتريانو د ټاکلو DocType: C-Form,I,زه DocType: Company,Asset Depreciation Cost Center,د شتمنيو د استهالک لګښت مرکز DocType: Sales Order Item,Sales Order Date,خرڅلاو نظم نېټه @@ -3113,7 +3125,7 @@ DocType: Lead,Address Desc,د حل نزولی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ګوند الزامی دی DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,موضوع نوم -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,تيروخت د خرڅالو او يا د خريداري يو باید وټاکل شي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,تيروخت د خرڅالو او يا د خريداري يو باید وټاکل شي apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,د خپلې سوداګرۍ د ماهیت وټاکئ. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},د کتارونو تر # {0}: دوه ځلي په ماخذونه د ننوتلو {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,هلته عملیاتو په جوړولو سره کيږي. @@ -3122,7 +3134,7 @@ 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} DocType: Employee,Confirmation Date,باوريينه نېټه DocType: C-Form,Total Invoiced Amount,Total رسیدونو د مقدار -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty نه شي کولای Max Qty څخه ډيره وي +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty نه شي کولای Max Qty څخه ډيره وي DocType: Account,Accumulated Depreciation,جمع د استهالک DocType: Stock Entry,Customer or Supplier Details,پیرودونکي یا عرضه نورولوله DocType: Employee Loan Application,Required by Date,د اړتیا له خوا نېټه @@ -3151,10 +3163,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,پیري نظ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,د شرکت نوم نه شي کولای د شرکت وي apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,د چاپي کينډۍ لیک مشرانو. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,د چاپي کينډۍ عنوانونه لکه فورمه صورتحساب. +DocType: Program Enrollment,Walking,ګرځي DocType: Student Guardian,Student Guardian,د زده کونکو د ګارډین apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,سنجي ډول تورونه نه په توګه د ټوليزې په نښه کولای شي DocType: POS Profile,Update Stock,تازه دحمل -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,عرضه> عرضه ډول apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,لپاره شیان ډول UOM به د ناسم (Total) خالص وزن ارزښت لامل شي. ډاډه کړئ چې د هر توکی خالص وزن په همدې UOM ده. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,هیښ Rate DocType: Asset,Journal Entry for Scrap,د Scrap ژورنال انفاذ @@ -3208,7 +3220,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,خپرونه د ماليې راپرځيدو apps/erpnext/erpnext/accounts/party.py +308,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,نه زده کوونکي موندل @@ -3228,14 +3239,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Default د نقدو پیسو حساب 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,په هيڅ ډول زده کوونکي +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 +108,Please enter 'Expected Delivery Date',لطفا 'د تمی د سپارلو نېټه' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,ناسم GSTIN يا د ناثبت شویو NA وليکئ +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3276,23 @@ DocType: Sales Team,Contribution (%),بسپنه)٪ ( apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,يادونه: د پیسو د داخلولو به راهیسې جوړ نه شي 'د نغدي او يا بانک حساب ته' نه مشخص apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,مسؤليتونه DocType: Expense Claim Account,Expense Claim Account,اخراجاتو ادعا اکانټ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا جوړ د {0} Setup> امستنې له لارې> نومول لړۍ لړۍ نوم 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,کارنان ورزیات کړئ 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 څخه زيات وي. DocType: Stock Reconciliation Item,Before reconciliation,مخکې له پخلاینې apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},د {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),مالیه او په تور د ورزیاتولو (شرکت د اسعارو) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,د قالب د مالياتو د کتارونو تر {0} بايد د ډول د مالياتو او يا د عايداتو او يا اخراجاتو یا Chargeable ګڼون لری +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,د قالب د مالياتو د کتارونو تر {0} بايد د ډول د مالياتو او يا د عايداتو او يا اخراجاتو یا Chargeable ګڼون لری DocType: Sales Order,Partly Billed,خفيف د محاسبې apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,د قالب {0} بايد يوه ثابته شتمني د قالب وي DocType: Item,Default BOM,default هیښ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ډیبیټ يادونه مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ډیبیټ يادونه مقدار apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,مهرباني وکړئ د بيا ډول شرکت نوم د تایید -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total وتلي نننیو +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total وتلي نننیو DocType: Journal Entry,Printing Settings,د چاپونې امستنې DocType: Sales Invoice,Include Payment (POS),شامل دي تاديه (دفرت) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Total ګزارې بايد مساوي Total پور وي. د توپير دی {0} @@ -3287,20 +3300,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,مشين DocType: Vehicle,Insurance Company,د بیمې کمپنۍ DocType: Asset Category Account,Fixed Asset Account,د ثابت د شتمنیو د حساب apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,variable -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,څخه د سپارنې يادونه +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,څخه د سپارنې يادونه DocType: Student,Student Email Address,د زده کوونکو دبرېښنا ليک پته: DocType: Timesheet Detail,From Time,له وخت apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,په ګدام کښي: DocType: Notification Control,Custom Message,د ګمرکونو پيغام apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,د پانګونې د بانکداري apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,د نغدي او يا بانک حساب د تادیاتو لپاره د ننوتلو کولو الزامی دی -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا د تشکیلاتو Setup له لارې د حاضرۍ لړۍ شمېر> شمیرې لړۍ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,د زده کوونکو پته apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,د زده کوونکو پته 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 +1517,Address Name,پته نوم +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,پته نوم DocType: Stock Entry,From BOM,له هیښ DocType: Assessment Code,Assessment Code,ارزونه کوډ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,د اساسي @@ -3317,7 +3329,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ. +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/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,میاشتنی پور بيرته مقدار نه شي کولای د پور مقدار زیات شي @@ -3325,7 +3337,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,وليکئ ارزښت باید مثبتې وي +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,د زده کوونکو د مخکې شامل. @@ -3334,7 +3346,7 @@ DocType: Process Payroll,Process Payroll,د بهیر د معاشاتو apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,په دې مياشت کاري ورځو څخه زيات د رخصتيو په شتون لري. DocType: Product Bundle Item,Product Bundle Item,د محصول د بنډل په قالب DocType: Sales Partner,Sales Partner Name,خرڅلاو همکار نوم -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,د داوطلبۍ غوښتنه +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,د داوطلبۍ غوښتنه DocType: Payment Reconciliation,Maximum Invoice Amount,اعظمي صورتحساب مقدار DocType: Student Language,Student Language,د زده کوونکو ژبه apps/erpnext/erpnext/config/selling.py +23,Customers,پېرودونکي @@ -3345,7 +3357,7 @@ DocType: Asset,Partially Depreciated,تر یوه بریده راکم شو DocType: Issue,Opening Time,د پرانستلو په وخت apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,څخه او د خرما اړتیا apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,امنيت & Commodity exchanges -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد '{0}' باید په کينډۍ ورته وي '{1}' +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 +847,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید @@ -3364,7 +3376,7 @@ 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 +266,Raw Material,خام توکي +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,د مالیې د مقدار کمښت مقدار وروسته @@ -3376,7 +3388,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,پرانيستل نېټه بايد تړل د نیټې څخه مخکې وي -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا جوړ د {0} Setup> امستنې له لارې> نومول لړۍ لړۍ نوم 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.,ورځو لپاره چې د رخصتۍ لپاره د دې ادارې تړل شوي دي. @@ -3389,8 +3400,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'ارزښت او Total' دی -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},د Serialized د قالب سریال ترانسفارمرونو د مطلوب {0} +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/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,سره صورتحساب لوبه د پیسو ورکړه DocType: Journal Entry,Bank Entry,بانک د داخلولو DocType: Authorization Rule,Applicable To (Designation),د تطبیق وړ د (دنده) @@ -3407,7 +3418,7 @@ 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 +270,Hour,ساعت +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,تاسو اختيار نه لري چې پر بالک نیټی پاڼو تصویب @@ -3417,7 +3428,7 @@ 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 +645,Point of Sale,د دخرسون ټکی +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,د دخرسون ټکی DocType: Payment Entry,Received Amount,د مبلغ DocType: GST Settings,GSTIN Email Sent On,GSTIN برېښناليک لېږلو د DocType: Program Enrollment,Pick/Drop by Guardian,دپاک / خوا ګارډین 'خه @@ -3434,8 +3445,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 +270,Gram,ګرام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي. +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/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 واحدونه ترلاسه ده. @@ -3461,14 +3472,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 +465,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,د څو کارکوونکي مارک حاضريدل @@ -3500,7 +3511,7 @@ 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 +436,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,د بیلونو د بهرنیو چارو @@ -3548,7 +3559,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},ناباوره ځانتیا د {0} د {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',لطفا د ارزونې په پرتله 'ټول ارزونه ډلو د نورو ګروپ غوره @@ -3650,16 +3661,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,معاش د اجزاو DocType: Program Enrollment Tool,New Academic Year,د نوي تعليمي کال د apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,بیرته / اعتبار يادونه DocType: Stock Settings,Auto insert Price List rate if missing,کړکېو کې درج د بیې په لېست کچه که ورک -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ټولې ورکړل شوې پیسې د +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,ټولې ورکړل شوې پیسې د DocType: Production Order Item,Transferred Qty,انتقال Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigating 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 +272,We sell this Item,موږ د دې توکي وپلوري +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,نمونه د معلوماتو د 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,نيمه ورځ نېټه @@ -3707,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 +1186,Please set Company,لطفا جوړ شرکت +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,لطفا جوړ شرکت DocType: Pricing Rule,Buying,د خريداري DocType: HR Settings,Employee Records to be created by,د کارګر سوابق له خوا جوړ شي DocType: POS Profile,Apply Discount On,Apply کمښت د @@ -3724,13 +3737,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,فیس راټول DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} د مخه په قالب کارول {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} د مخه په قالب کارول {1} DocType: Lead,Add to calendar on this date,په دې نېټې جنتري ورزیات کړئ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,د زياته کړه لېږد لګښتونه اصول. DocType: Item,Opening Stock,پرانيستل دحمل apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,پيرودونکو ته اړتيا ده apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} د بیرته ستنیدلو لپاره جبري دی DocType: Purchase Order,To Receive,تر لاسه +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,د شخصي ليک apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total توپیر DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",که چېرې توانول شوی، دا سيستم به د محاسبې زياتونې لپاره د انبار په اتوماتيک ډول وروسته. @@ -3741,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 +541,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,معياري پلورل @@ -3749,7 +3763,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,د ګرنټی له جملې څخه DocType: BOM Replace Tool,Replace,ځاېناستول apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,نه محصولات وموندل. -DocType: Production Order,Unstopped,د ناخوښۍ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} خرڅلاو صورتحساب په وړاندې د {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,د پروژې نوم @@ -3760,6 +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} 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} يا لا نه خوری نورو کوپون پر وړاندې د @@ -3797,9 +3811,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,له 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 +100,Item {0} ignored since it is not a stock item,د قالب {0} ځکه چې له پامه غورځول يوه سټاک توکی نه دی +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 +40,Submit this Production Order for further processing.,د نور د پروسس د دې تولید نظم ته وړاندې کړي. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,12 +3821,14 @@ 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 +209,Rate (%),کچه)٪ ( +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",کارنان ستاسو د سازمان په پرتله خپل ځان د نورو ورزیات کړئ، +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',لطفا جوړ شرکت چاڼ خالي که ډله په دی شرکت apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,نوکرې نېټه نه شي کولای راتلونکې نیټه وي. apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},د کتارونو تر # {0}: شعبه {1} سره سمون نه خوري {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,واله ته لاړل @@ -3841,7 +3857,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,دحمل د پنډو انفاذ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. کالم بايد خالي وي +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. کالم بايد خالي وي DocType: Accounts Settings,Accounts Settings,جوړوي امستنې apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,منظور کړل DocType: Customer,Sales Partner and Commission,خرڅلاو همکار او کميسيون @@ -3856,7 +3872,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,هیښ چاودنه د قالب DocType: Account,Auditor,پلټونکي -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} توکو توليد +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,بیرته راتګ @@ -3870,7 +3886,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,د بدلولو نرخ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,د بیړیو د مدیریت @@ -3895,18 +3911,18 @@ 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 +705,Online,په آنلاین توګه +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} د قالب نافعال شوی دی DocType: Employee Loan,Repay Fixed Amount per Period,هر دوره ثابته مقدار ورکول apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},لورينه وکړئ د قالب اندازه داخل {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,اعتبار يادونه نننیو +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,اعتبار يادونه نننیو DocType: Employee External Work History,Employee External Work History,د کارګر د بهرنيو کار تاریخ DocType: Tax Rule,Purchase,رانيول apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,توازن Qty @@ -3932,7 +3948,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 +2383,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ DocType: Employee,Encashment Date,د ورکړې نېټه DocType: Training Event,Internet,د انټرنېټ DocType: Account,Stock Adjustment,دحمل اصلاحاتو @@ -3962,6 +3978,7 @@ DocType: Guardian,Guardian Of ,ګارډین د DocType: Grading Scale Interval,Threshold,حد DocType: BOM Replace Tool,Current BOM,اوسني هیښ apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Add شعبه +DocType: Production Order Item,Available Qty at Source Warehouse,موجود Qty په سرچینه ګدام apps/erpnext/erpnext/config/support.py +22,Warranty,ګرنټی DocType: Purchase Invoice,Debit Note Issued,ډیبیټ يادونه خپور شوی DocType: Production Order,Warehouses,Warehouses @@ -3977,13 +3994,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,پيسې ور apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,پروژې سمبالګر ,Quoted Item Comparison,له خولې د قالب پرتله apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,چلاونه د -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max تخفیف لپاره توکی اجازه: {0} دی {1}٪ +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 +279,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 +879,Select Items to Manufacture,وړانديزونه وټاکئ جوړون -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي DocType: Item,Material Issue,مادي Issue DocType: Hub Settings,Seller Description,پلورونکی Description DocType: Employee Education,Qualification,وړتوب @@ -4007,7 +4024,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 +200,Cannot cancel because submitted Stock Entry {0} exists,لغوه نه شي کولای، ځکه وړاندې دحمل انفاذ {0} شتون لري +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,لغوه نه شي کولای، ځکه وړاندې دحمل انفاذ {0} شتون لري DocType: Employee Loan,Disbursement Date,دویشلو نېټه DocType: Vehicle,Vehicle,موټر DocType: Purchase Invoice,In Words,په وييکي @@ -4028,7 +4045,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",د دې مالي کال په توګه (Default) جوړ، په 'د ټاکلو په توګه Default' کیکاږۍ apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,سره یو ځای شول apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,په کمښت کې Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون DocType: Employee Loan,Repay from Salary,له معاش ورکول DocType: Leave Application,LAP/,دورو / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},د غوښتنې په وړاندې د پیسو {0} د {1} لپاره د اندازه {2} @@ -4046,18 +4063,18 @@ 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 +1011,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,شعبه {0} لا ترلاسه شوي دي +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: Expense Claim,Vehicle Log,موټر ننوتنه DocType: Purchase Invoice,Recurring Id,راګرځېدل Id DocType: Customer,Sales Team Details,خرڅلاو ټيم په بشپړه توګه کتل -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,د تل لپاره ړنګ کړئ؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},باطلې {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},باطلې {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ناروغ ته لاړل DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,د بیلونو په پته نوم @@ -4070,6 +4087,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Chargeable DocType: Company,Change Abbreviation,د بدلون Abbreviation DocType: Expense Claim Detail,Expense Date,اخراجاتو نېټه +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,شمیره code> توکی ګروپ> نښې DocType: Item,Max Discount (%),Max کمښت)٪ ( apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,تېره نظم مقدار DocType: Task,Is Milestone,آیا د معیار @@ -4093,8 +4111,8 @@ DocType: Program Enrollment Tool,New Program,د نوي پروګرام DocType: Item Attribute Value,Attribute Value,منسوب ارزښت ,Itemwise Recommended Reorder Level,نورتسهیالت وړانديز شوي ترمیمي د ليول DocType: Salary Detail,Salary Detail,معاش تفصیلي -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,مهرباني غوره {0} په لومړي -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,دسته {0} د قالب {1} تېر شوی دی. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,مهرباني غوره {0} په لومړي +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,دسته {0} د قالب {1} تېر شوی دی. DocType: Sales Invoice,Commission,کمیسیون apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,د تولید د وخت پاڼه. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,پاسنۍ @@ -4119,12 +4137,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 +399,Operation Time must be greater than 0 for Operation {0},د وخت عمليات بايد د عملياتو 0 څخه ډيره وي {0} +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/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 +387,Production Order cannot be raised against a Item Template,يو قالب کينډۍ پر وړاندې د تولید نظم نه راپورته شي +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,پیل نېټه @@ -4154,7 +4172,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,برطرف نېټه DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",برېښناليک به د ورکړل ساعت چې د شرکت د ټولو فعاله کارمندان واستول شي، که رخصتي نه لرو. د ځوابونو لنډیز به په نيمه شپه ته واستول شي. DocType: Employee Leave Approver,Employee Leave Approver,د کارګر اجازه Approver -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",په توګه له لاسه نه اعلان کولای، ځکه د داوطلبۍ شوی دی. 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} بايد وسپارل شي @@ -4188,6 +4206,7 @@ DocType: Announcement,Student,د زده کوونکو apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,اداره واحد (رياست) بادار. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,لطفا د اعتبار وړ ګرځنده ترانسفارمرونو د داخل apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,لطفا د استولو مخکې پیغام ته ننوځي +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,دوه ګونو لپاره د عرضه DocType: Email Digest,Pending Quotations,انتظار Quotations apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-خرڅول پېژندنه apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,لطفا SMS امستنې اوسمهالی @@ -4196,7 +4215,7 @@ DocType: Cost Center,Cost Center Name,لګښت مرکز نوم DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max کار ساعتونو Timesheet پر وړاندې د DocType: Maintenance Schedule Detail,Scheduled Date,ټاکل شوې نېټه -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ټولې ورکړل نننیو +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,ټولې ورکړل نننیو DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messages په پرتله 160 تورو هماغه اندازه به په څو پېغامونه ویشل شي DocType: Purchase Receipt Item,Received and Accepted,تر لاسه کړي او منل ,GST Itemised Sales Register,GST مشخص کړل خرڅلاو د نوم ثبتول @@ -4206,7 +4225,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 +237,Your Suppliers,ستاسو د عرضه کوونکي +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'Vaulation او Total' دی @@ -4218,7 +4237,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}",لکه څنګه چې هر د خريداري امستنې که رانيول Reciept مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید رانيول رسيد لومړي لپاره توکی جوړ {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,وېب پاڼه Image {0} چې په قالب {1} وصل ونه موندل شي +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.,په د ويب پاڼې د څو ډلو د دې توکي لست کړئ. @@ -4233,7 +4252,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,دا څه ک apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ته ګدام apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ټول د زده کوونکو د شمولیت ,Average Commission Rate,په اوسط ډول د کمیسیون Rate -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'لري شعبه' د غیر سټاک توکی نه وي 'هو' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'لري شعبه' د غیر سټاک توکی نه وي 'هو' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,د حاضرۍ د راتلونکي لپاره د خرما نه په نښه شي DocType: Pricing Rule,Pricing Rule Help,د بیې د حاکمیت مرسته DocType: School House,House Name,ماڼۍ نوم @@ -4249,7 +4268,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 +339,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,د بيمې د پیل نیټه بايد د بيمې د پای نیټه په پرتله کمه وي @@ -4264,20 +4283,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},د کارکوونکي معاش ټوټه {0} د مخه د وخت په پاڼه کې جوړ {1} DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,امر Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,د قالب {0} معلول دی +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 +874,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 نورولوله apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,معاش ټوټه تولید -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",د خريداري باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",د خريداري باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,تخفیف باید څخه کم 100 وي 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 +500,Default BOM for {0} not found,د {0} ونه موندل Default هیښ -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,پروګرام شمولیت DocType: Landed Cost Voucher,Landed Cost Voucher,تيرماښام لګښت ګټمنو @@ -4339,7 +4358,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,ترځمکې apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,تمه نېټه مخکې د موادو غوښتنه نېټه نه شي DocType: Purchase Invoice Item,Stock Qty,سټاک Qty -DocType: Production Order,Source Warehouse (for reserving Items),سرچینه ګدام (لپاره ساتلی سامان) DocType: Employee Loan,Repayment Period in Months,په میاشتو کې بیرته ورکړې دوره apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,تېروتنه: يو د اعتبار وړ پېژند نه؟ DocType: Naming Series,Update Series Number,تازه لړۍ شمېر @@ -4388,7 +4406,7 @@ DocType: Production Order,Planned End Date,پلان د پای نیټه apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,هلته توکو زیرمه شوي دي. DocType: Request for Quotation,Supplier Detail,عرضه تفصیلي apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},په فورمول يا حالت تېروتنه: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,رسیدونو د مقدار +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,رسیدونو د مقدار DocType: Attendance,Attendance,د حاضرۍ apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,سټاک توکی DocType: BOM,Materials,د توکو @@ -4429,10 +4447,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup زما د سازمان لپاره یو ساده ویب پاڼه +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0} DocType: Item,Default Warehouse,default ګدام apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},د بودجې د ګروپ د حساب په وړاندې نه شي کولای {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,لطفا مورنی لګښت مرکز ته ننوځي @@ -4494,7 +4512,7 @@ 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 +1344,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه +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/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,دا د دې د کارکونکو د راتګ پر بنسټ @@ -4502,6 +4520,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,کال د پیل نیټه DocType: Attendance,Employee Name,د کارګر نوم DocType: Sales Invoice,Rounded Total (Company Currency),غونډ مونډ Total (شرکت د اسعارو) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا د تشکیلاتو کارکوونکی کې د بشري منابعو د سیستم نوم> د بشري حقونو څانګې امستنې 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 +231,{0} {1} has been modified. Please refresh.,{0} د {1} بدل شوی دی. لطفا تازه. DocType: Leave Block List,Stop users from making Leave Applications on following days.,څخه په لاندې ورځو کولو اجازه غوښتنلیکونه کاروونکو ودروي. @@ -4524,7 +4543,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,لوستلو 3 ,Hub,مرکز DocType: GL Entry,Voucher Type,ګټمنو ډول -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} بايد جوړ شي د "کيڼ ' @@ -4544,7 +4563,7 @@ DocType: POS Profile,Account for Change Amount,د بدلون لپاره د مق apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},د کتارونو تر {0}: ګوند / حساب سره سمون نه خوري {1} / {2} د {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,لطفا اخراجاتو حساب ته ننوځي DocType: Account,Stock,سټاک -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي DocType: Employee,Current Address,اوسني پته DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",که جنس د بل جنس بيا توضيحات، انځور، د قيمتونو، ماليه او نور به د کېنډۍ څخه جوړ شي يو variant دی، مګر په واضح ډول مشخص DocType: Serial No,Purchase / Manufacture Details,رانيول / جوړون نورولوله @@ -4583,11 +4602,12 @@ DocType: Student,Home Address,کور پته apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,د انتقال د شتمنیو DocType: POS Profile,POS Profile,POS پېژندنه DocType: Training Event,Event Name,دکمپاینونو نوم -apps/erpnext/erpnext/config/schools.py +39,Admission,د شاملیدو +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,د شاملیدو apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},لپاره د شمولیت {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",{0} د قالب دی کېنډۍ، لطفا د خپلو بېرغونو وټاکئ DocType: Asset,Asset Category,د شتمنیو کټه ګورۍ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,اخستونکی apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,خالص د معاشونو نه کېدای شي منفي وي DocType: SMS Settings,Static Parameters,Static Parameters DocType: Assessment Plan,Room,کوټه @@ -4596,6 +4616,7 @@ DocType: Item,Item Tax,د قالب د مالياتو apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ته عرضه مواد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,وسیله صورتحساب apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ ښکاري څخه یو ځل بیا +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,پيرودونکو> پيرودونکو ګروپ> خاوره DocType: Expense Claim,Employees Email Id,د کارکوونکو دبرېښنا ليک 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,اوسني مسؤلیتونه @@ -4667,6 +4688,7 @@ DocType: Leave Type,Is Carry Forward,مخ په وړاندې د دې لپاره apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,معاش رسید ونه لېږل ,Stock Summary,دحمل لنډيز diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv index e19af9a92e..b315872b67 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 +194,"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 +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/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 @@ -57,7 +57,7 @@ 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/setup/setup_wizard/install_fixtures.py +96,Accountant,Contador +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} ,Sales Partners Commission,Comissão dos Parceiros de Vendas @@ -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 +42,Not permitted for {0},Não permitido para {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 @@ -85,7 +85,7 @@ DocType: POS Profile,Write Off Cost Center,Centro de custo do abatimento apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Relatórios de Estoque DocType: Warehouse,Warehouse Detail,Detalhes do Armazén apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},O limite de crédito foi analisado para o cliente {0} {1} / {2} -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item" +apps/erpnext/erpnext/stock/doctype/item/item.py +466,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item" DocType: Vehicle Service,Brake Oil,Óleo de Freio apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Você não está autorizado para adicionar ou atualizar entradas antes de {0} DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for slideshow) @@ -112,7 +112,7 @@ 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/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Extrato da conta +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}" DocType: Expense Claim Detail,Claim Amount,Valor Requerido @@ -172,12 +172,13 @@ DocType: Leave Type,Allow Negative Balance,Permitir saldo negativo DocType: Employee,Create User,Criar Usuário DocType: Selling Settings,Default Territory,Território padrão DocType: Production Order Operation,Updated via 'Time Log',Atualizado via 'Time Log' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},O valor do adiantamento não pode ser maior do que {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},O valor do adiantamento não pode ser maior do que {0} {1} DocType: Naming Series,Series List for this Transaction,Lista de séries para esta transação +DocType: Company,Default Payroll Payable Account,Conta Padrão para Folha de Pagamentos 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 +177,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 +175,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 @@ -186,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 +228,Contact Name,Nome do Contato +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -196,12 +197,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,A Data da Licença deve ser maior que Data de Contratação apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Folhas por ano 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 'É Adiantamento' se este é um lançamento de adiantamento relacionado à conta {1}." -apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1} +apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1} DocType: Email Digest,Profit & Loss,Lucro e Perdas DocType: Task,Total Costing Amount (via Time Sheet),Custo Total (via Registro de Tempo) DocType: Item Website Specification,Item Website Specification,Especificação do Site do Item apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Licenças Bloqueadas -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Item {0} chegou ao fim da vida em {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Item {0} chegou ao fim da vida em {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Lançamentos do Banco DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item da Conciliação de Estoque DocType: Stock Entry,Sales Invoice No,Nº da Nota Fiscal de Venda @@ -215,7 +216,7 @@ DocType: Item,Minimum Order Qty,Pedido Mínimo DocType: POS Profile,Allow user to edit Rate,Permitir que o usuário altere o preço 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 +699,Item {0} is cancelled,Item {0} é cancelada +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 +882,Material Request,Requisição de Material DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data Liquidação DocType: Item,Purchase Details,Detalhes de Compra @@ -242,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 +368,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 +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""" 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. @@ -254,7 +255,7 @@ DocType: Journal Entry,Multi Currency,Multi moeda DocType: Payment Reconciliation Invoice,Invoice Type,Tipo de Nota Fiscal apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configurando Impostos apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagamento foi modificado depois que você puxou-o. Por favor, puxe-o novamente." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} entrou duas vezes no Imposto do Item +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} entrou duas vezes no Imposto do Item DocType: Workstation,Rent Cost,Custo do Aluguel apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Próximos Eventos do Calendário apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +75,Please select month and year,Selecione mês e ano @@ -295,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 +1456,Create a new Customer,Criar novo Cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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 @@ -323,7 +324,7 @@ DocType: Notification Control,Customize the introductory text that goes as a par apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,As configurações globais para todos os processos de fabricação. DocType: Accounts Settings,Accounts Frozen Upto,Contas congeladas até DocType: SMS Log,Sent On,Enviado em -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionada várias vezes na tabela de atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionada várias vezes na tabela de atributos DocType: HR Settings,Employee record is created using selected field. ,O registro do colaborador é criado usando o campo selecionado. apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Cadastro de feriados. DocType: Request for Quotation Item,Required Date,Para o Dia @@ -346,7 +347,7 @@ 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 +219,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 +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/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" @@ -356,7 +357,7 @@ 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" DocType: Production Order,Additional Operating Cost,Custo Operacional Adicional -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens" ,Serial No Warranty Expiry,Vencimento da Garantia com Nº de Série DocType: Sales Invoice,Offline POS Name,Nome do POS Offline DocType: Sales Order,To Deliver,Para Entregar @@ -375,7 +376,7 @@ DocType: Production Planning Tool,Material Requirement,Materiais Necessários DocType: Company,Delete Company Transactions,Excluir Transações Companhia DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Encargos DocType: Purchase Invoice,Supplier Invoice No,Nº da nota fiscal de compra -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Não é possível excluir Serial No {0}, como ele é usado em transações de ações" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Não é possível excluir Serial No {0}, como ele é usado em transações de ações" 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 @@ -389,7 +390,7 @@ DocType: Buying Settings,Purchase Receipt Required,Recibo de Compra Obrigatório apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nenhum registro encontrado na tabela de fatura apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Por favor, selecione a Empresa e Tipo de Sujeito primeiro" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Ano Financeiro / Exercício. -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Desculpe, os números de ordem não podem ser mescladas" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Desculpe, os números de ordem não podem ser mescladas" ,Lead Id,Cliente em Potencial ID 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 @@ -405,7 +406,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Banco de Dados de DocType: Quotation,Quotation To,Orçamento para DocType: Lead,Middle Income,Média Renda apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Abertura (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Total alocado não pode ser negativo DocType: Purchase Order Item,Billed Amt,Valor Faturado DocType: Training Result Employee,Training Result Employee,Resultado do Treinamento do Colaborador @@ -446,8 +447,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 +320,Timesheet created:,Registro de Tempo criado: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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} 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 @@ -466,7 +467,7 @@ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timest 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 +139,Finish,Finalizar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,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 @@ -489,7 +490,7 @@ DocType: Account,Expenses Included In Valuation,Despesas Incluídas na Avaliaç ,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: DocType: Offer Letter Term,Offer Letter Term,Termos da Carta de Oferta -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item tem variantes. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Item tem variantes. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} não foi encontrado DocType: Bin,Stock Value,Valor do Estoque apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,Tipo de árvore @@ -521,11 +522,11 @@ DocType: Opportunity,Opportunity From,Oportunidade de 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 +332,"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/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 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 +48,Make Timesheet,Fazer Registro de Tempo +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -577,11 +578,11 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned A 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 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nenhuma permissão +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nenhuma permissão 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -595,7 +596,7 @@ 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 +274,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 +275,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 @@ -654,13 +655,13 @@ 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 +303,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 +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} DocType: Production Order,Plan material for sub-assemblies,Material de Plano de sub-conjuntos -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,LDM {0} deve ser ativa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Não {0} não pertence ao item {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial Não {0} não pertence ao item {1} 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 @@ -669,7 +670,7 @@ apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +53,Balance Val 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 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente DocType: Purchase Invoice Advance,Purchase Invoice Advance,Adiantamento da Nota Fiscal de Compra DocType: Hub Settings,Sync Now,Sincronizar agora apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Linha {0}: Lançamento de crédito não pode ser relacionado a uma {1} @@ -681,10 +682,10 @@ 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 +731,New Sales Invoice,Nova Nota Fiscal de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sincronizar Faturas Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -707,7 +708,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,Linha {0}: O pagamento relacionado a Pedidos de Compra/Venda deve ser sempre marcado como adiantamento apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,químico DocType: BOM,Raw Material Cost(Company Currency),Custo da matéria-prima (moeda da empresa) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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. DocType: Workstation,Electricity Cost,Custo de Energia Elétrica DocType: HR Settings,Don't send Employee Birthday Reminders,Não envie aos colaboradores lembretes de aniversários DocType: BOM Website Item,BOM Website Item,LDM do Item do Site @@ -728,7 +729,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 +259,Qty for {0},Qtde para {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -737,7 +738,7 @@ DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Recibo de Com DocType: Packing Slip Item,Packing Slip Item,Item da Guia de Remessa DocType: Purchase Invoice,Cash/Bank Account,Conta do Caixa/Banco DocType: Delivery Note,Delivery To,Entregar Para -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,A tabela de atributos é obrigatório +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,A tabela de atributos é obrigatório DocType: Production Planning Tool,Get Sales Orders,Obter Pedidos de Venda DocType: Asset,Total Number of Depreciations,Número Total de Depreciações DocType: Workstation,Wages,Salário @@ -754,11 +755,12 @@ apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Siz apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Armazén de Trabalho em Andamento apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Nº de Série {0} está sob contrato de manutenção até {1} apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"O artigo deve ser adicionado usando ""Obter itens de recibos de compra 'botão" +DocType: Production Planning Tool,Include non-stock items,Incluir itens não que não são de estoque apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Compra padrão 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 +1546,ZIP Code,CEP +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -772,7 +774,7 @@ 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 +238,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/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 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 @@ -786,14 +788,14 @@ apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_ 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 +224,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 +71,Please set 'Apply Additional Discount On',"Por favor, defina "Aplicar desconto adicional em '" +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 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 +347,Capacity Planning Error,Erro de Planejamento de Capacidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -808,7 +810,7 @@ DocType: Purchase Invoice,Is Return,É Devolução apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} números de série válidos para o item {1} +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} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Código do item não pode ser alterado para o nº de série. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},Perfil do PDV {0} já criado para o usuário: {1} e empresa {2} DocType: Sales Invoice Item,UOM Conversion Factor,Fator de Conversão da Unidade de Medida @@ -840,7 +842,7 @@ apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,Item {0} deve ser um item não inventariado apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Ver Livro Razão apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Mais antigas -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"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/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 @@ -867,7 +869,7 @@ DocType: 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 +65,Sales Order {0} is not valid,Pedido de Venda {0} não é válido +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/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} @@ -880,12 +882,12 @@ DocType: Item,Auto re-order,Reposição Automática apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total de Alcançados 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 +861,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 +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 +736,Sync Master Data,Sincronizar com o Servidor -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Seus Produtos ou Serviços +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 DocType: Mode of Payment,Mode of Payment,Forma de Pagamento -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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/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. DocType: Journal Entry Account,Purchase Order,Pedido de Compra DocType: Vehicle,Fuel UOM,UDM do Combustível @@ -902,7 +904,6 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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.","Regra de Preços é o primeiro selecionado com base em ""Aplicar On 'campo, que pode ser Item, item de grupo ou Marca." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status de ordem de produção é {0} DocType: Appraisal Goal,Goal,Meta ,Team Updates,Updates da Equipe apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +782,For Supplier,Para Fornecedor @@ -913,13 +914,13 @@ apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este Centro de Custo é um grupo . Não pode fazer lançamentos contábeis contra grupos . 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 +177,Serial number {0} entered more than once,Número de série {0} entrou mais de uma vez +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 +78,{0} items in progress,{0} itens em andamento +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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 @@ -966,13 +967,13 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 DocType: Sales Invoice,Shipping Address Name,Endereço de Entrega DocType: Material Request,Terms and Conditions Content,Conteúdo dos Termos e Condições -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Item {0} não é um item de estoque +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Item {0} não é um item de estoque DocType: Maintenance Visit,Unscheduled,Sem Agendamento DocType: Salary Detail,Depends on Leave Without Pay,Depende de licença sem vencimento ,Purchase Invoice Trends,Tendência de Notas Fiscais de Compra @@ -994,12 +995,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 +273,We buy this Item,Nós compramos este item +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 +266,Sub Assemblies,Subconjuntos +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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} @@ -1078,7 +1079,7 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +141,The apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +20,Resend Payment Email,Reenviar email de pagamento apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova Tarefa apps/erpnext/erpnext/config/selling.py +216,Other Reports,Relatórios Adicionais -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0} apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1} DocType: Manufacturing Settings,Try planning operations for X days in advance.,Tente planejar operações para X dias de antecedência. DocType: HR Settings,Stop Birthday Reminders,Interromper lembretes de aniversários @@ -1086,15 +1087,15 @@ DocType: SMS Center,Receiver List,Lista de recebedores apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Quantidade Consumida 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 +403,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 +601,Already completed,Já concluído +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/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 +263,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 +352,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial Não {0} {1} quantidade não pode ser uma fração +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial Não {0} {1} quantidade não pode ser uma fração apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Cadastro de Tipo de Fornecedor DocType: Purchase Order Item,Supplier Part Number,Número da Peça do Fornecedor apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} está cancelado ou parado @@ -1134,7 +1135,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Incluir feriados de DocType: Sales Invoice,Packed Items,Pacotes de Itens apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamação de Garantia contra nº de Série DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Substituir um especial BOM em todas as outras listas de materiais em que é utilizado. Ele irá substituir o antigo link BOM, atualizar o custo e regenerar ""BOM Explosão item"" mesa como por nova BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Employee,Permanent Address,Endereço permanente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ than Grand Total {2}",Adiantamento pago contra {0} {1} não pode ser maior do que o Total Geral {2} @@ -1170,7 +1171,7 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1180,7 +1181,7 @@ DocType: Purchase Invoice Item,Batch No,Nº do Lote DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permitir vários Pedidos de Venda relacionados ao Pedido de Compra do Cliente DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações DocType: Employee Attendance Tool,Employees HTML,Colaboradores HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,LDM Padrão ({0}) precisa estar ativo para este item ou o seu modelo +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,LDM Padrão ({0}) precisa estar ativo para este item ou o seu modelo 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 @@ -1188,17 +1189,17 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purcha 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 +175,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 +173,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 +201,Duplicate Serial No entered for Item {0},Duplicar Serial Não entrou para item {0} +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" 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 +546,BOM {0} must be submitted,LDM {0} deve ser enviada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 @@ -1210,7 +1211,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 +257,"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 +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. 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 @@ -1233,7 +1234,7 @@ DocType: SMS Settings,Message Parameter,Parâmetro da mensagem apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Árvore de Centros de Custo. DocType: Serial No,Delivery Document No,Nº do Documento de Entrega apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Item {0} aparece várias vezes na Lista de Preço {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}" DocType: Production Plan Material Request,Material Request Date,Data da Requisição de Material DocType: Purchase Order Item,Supplier Quotation Item,Item do Orçamento de Fornecedor DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desabilita a criação de Registros de Tempo contra ordens de produção. As operações não devem ser rastreadas contra a ordem de produção @@ -1320,8 +1321,8 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass ,Maintenance Schedules,Horários de Manutenção 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 +160,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 +342,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber +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 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 @@ -1365,13 +1366,13 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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" DocType: Stock Reconciliation Item,Amount Difference,Valor da Diferença apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Preço adicionada para {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,Digite o ID de Colaborador deste Vendedor DocType: Territory,Classification of Customers by region,Classificação dos clientes por região apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,O Valor da Diferença deve ser zero -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Por favor, indique item Produção primeiro" +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 +748,Quotation,Orçamento @@ -1380,7 +1381,7 @@ DocType: Salary Slip,Total Deduction,Dedução total apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,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 exercício financeiro. Todos os lançamentos contábeis e outras transações principais são rastreadas contra o **Ano Fiscal**. DocType: Opportunity,Customer / Lead Address,Endereço do Cliente/Cliente em Potencial -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0} DocType: Production Order Operation,Actual Operation Time,Tempo Real da Operação DocType: Authorization Rule,Applicable To (User),Aplicável Para (Usuário) apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descrição do Trabalho @@ -1392,11 +1393,11 @@ DocType: Appraisal,Calculate Total Score,Calcular a Pontuação Total DocType: Request for Quotation,Manufacturing Manager,Gerente de Fabricação apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nº de Série {0} está na garantia até {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir Guia de Remessa em pacotes. -apps/erpnext/erpnext/hooks.py +87,Shipments,Entregas +apps/erpnext/erpnext/hooks.py +94,Shipments,Entregas DocType: Payment Entry,Total Allocated Amount (Company Currency),Total alocado (moeda da empresa) DocType: Purchase Order Item,To be delivered to customer,Para ser entregue ao cliente DocType: BOM,Scrap Material Cost,Custo do Material Sucateado -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,O Nº de Série {0} não pertence a nenhum Armazén +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 @@ -1406,7 +1407,7 @@ 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 +408,{0} is mandatory for Item {1},{0} é obrigatório para o item {1} +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/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 +94,Sales Order required for Item {0},Pedido de Venda necessário para o item {0} @@ -1438,7 +1439,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} 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 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Por favor, selecione conta correta" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Por favor, selecione conta correta" DocType: Item,Weight UOM,UDM de Peso DocType: Salary Structure Employee,Salary Structure Employee,Colaborador da Estrutura Salário DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Usuários que podem aprovar pedidos de licença de um colaborador específico @@ -1453,7 +1454,7 @@ 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 +336,Debit To is required,Para Débito é necessária +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -1463,7 +1464,7 @@ 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 apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Gerar Requisições de Material (MRP) e Ordens de Produção. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Valor Total Faturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Valor Total Faturado 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 @@ -1473,8 +1474,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For { 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} 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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} número de série é necessário para item {1}. Você forneceu {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} número de série é necessário para item {1}. Você forneceu {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Taxa Atual de Avaliação DocType: Item,Customer Item Codes,Código do Item para o Cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ganho/Perda com Câmbio @@ -1521,13 +1523,13 @@ DocType: Leave Block List,Allow Users,Permitir que os usuários DocType: Purchase Order,Customer Mobile No,Celular do Cliente DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe resultados separada e despesa para verticais de produtos ou divisões. DocType: Rename Tool,Rename Tool,Ferramenta de Renomear -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atualize o custo +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Atualize o custo DocType: Item Reorder,Item Reorder,Reposição de Item apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,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 +1064,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Selecione a conta de troco +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 @@ -1537,7 +1539,7 @@ DocType: Grading Scale Interval,Grade Description,Descrição da Nota de Avalia DocType: Stock Entry,Purchase Receipt No,Nº do Recibo de Compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Sinal/Garantia em Dinheiro DocType: Process Payroll,Create Salary Slip,Criar Folha de Pagamento -apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte de recursos (passivos) +apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte de Recursos (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 a mesma que a quantidade fabricada {2} DocType: Appraisal,Employee,Colaborador DocType: Training Event,End Time,Horário de Término @@ -1567,13 +1569,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,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 +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Por favor, indique a qtde planejada para o item {0} na linha {1}" @@ -1589,7 +1591,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The DocType: Student Admission,Naming Series (for Student Applicant),Código dos Documentos (para condidato à vaga de estudo) ,Minutes to First Response for Opportunity,Minutos para Primeira Resposta em Oportunidades apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total de faltas -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Item ou Armazén na linha {0} não corresponde à Requisição de Material +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Item ou Armazén na linha {0} não corresponde à Requisição de Material DocType: Fiscal Year,Year End Date,Data final do ano DocType: Task Depends On,Task Depends On,Tarefa depende de ,Completed Production Orders,Ordens Produzidas @@ -1670,7 +1672,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 +106,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 +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/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 @@ -1737,7 +1739,7 @@ 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/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 +20,Ref,Referência +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 # DocType: Notification Control,Purchase Order Message,Mensagem do Pedido de Compra DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Esconder CPF/CNPJ em transações de vendas @@ -1749,7 +1751,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 +1165,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 +1086,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 +773,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" @@ -1760,7 +1762,7 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Co DocType: Leave Control Panel,Leave Control Panel,Painel de Controle de Licenças apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Esgotado DocType: Appraisal,HR User,Usuário do RH -apps/erpnext/erpnext/hooks.py +116,Issues,Incidentes +apps/erpnext/erpnext/hooks.py +124,Issues,Incidentes apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status deve ser um dos {0} DocType: Delivery Note,Required only for sample item.,Necessário apenas para o item de amostra. DocType: Stock Ledger Entry,Actual Qty After Transaction,Qtde Real Após a Transação @@ -1784,11 +1786,11 @@ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit 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 +149,Quotation {0} is cancelled,O Orçamento {0} está cancelado -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Saldo devedor total +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. ,S.O. No.,Número da Ordem de Venda -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Por favor, crie um Cliente apartir do Cliente em Potencial {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Por favor, crie um Cliente apartir do Cliente em Potencial {0}" DocType: Price List,Applicable for Countries,Aplicável para os Países apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Somente pedidos de licença com o status ""Aprovado"" ou ""Rejeitado"" podem ser enviados" apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Nome do Grupo de Alunos é obrigatório na linha {0} @@ -1862,6 +1864,7 @@ DocType: Sales Invoice,Sales Team1,Equipe de Vendas 1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Item {0} não existe 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. DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional em DocType: Account,Root Type,Tipo de Raiz @@ -1880,7 +1883,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f 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 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Percentual de comissão não pode ser maior do que 100 apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Por favor, indique {0} primeiro" DocType: Production Order Operation,Actual End Time,Tempo Final Real @@ -1914,7 +1917,7 @@ DocType: Purchase Order Item,Returned Qty,Qtde Devolvida DocType: Employee,Exit,Saída apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipo de Raiz é obrigatório DocType: BOM,Total Cost(Company Currency),Custo total (moeda da empresa) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Nº de Série {0} criado +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Nº de Série {0} criado DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do site DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para a comodidade dos clientes, estes códigos podem ser usados em formatos de impressão, como Notas Fiscais e Guias de Remessa" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nome do Fornecedor @@ -1999,11 +2002,11 @@ apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addres DocType: Serial No,Warranty / AMC Details,Garantia / Detalhes do CAM DocType: Journal Entry,User Remark,Observação do Usuário DocType: Lead,Market Segment,Segmento de Renda -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0} DocType: Employee Internal Work History,Employee Internal Work History,Histórico de Trabalho Interno do Colaborador apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Fechamento (Dr) DocType: Cheque Print Template,Cheque Size,Tamanho da Folha de Cheque -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Nº de Série {0} esgotado +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Nº de Série {0} esgotado apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Modelo impostos para transações de venda. DocType: Sales Invoice,Write Off Outstanding Amount,Abater saldo devedor DocType: Stock Settings,Default Stock UOM,Unidade de Medida Padrão do Estoque @@ -2022,7 +2025,7 @@ 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 +348,Add a few sample records,Adicione alguns registros de exemplo +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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} @@ -2030,7 +2033,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 +418,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 +419,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 @@ -2050,7 +2053,7 @@ DocType: Maintenance Schedule Item,Maintenance Schedule Item,Ítem da Programaç 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 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Criar Folha de Pagamento -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Navegar LDM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Navegar LDM apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as contas relacionadas com depreciação de ativos em Categoria {0} ou Empresa {1}" apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Saldo de Abertura do Patrimônio Líquido apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Data é repetida @@ -2058,7 +2061,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 +278,Select Quantity,Select Quantidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -2103,7 +2106,7 @@ apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,chamadas DocType: Project,Total Costing Amount (via Time Logs),Valor do Custo Total (via Registros de Tempo) DocType: Purchase Order Item Supplied,Stock UOM,Unidade de Medida do Estoque apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pedido de Compra {0} não é enviado -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Não {0} não pertence ao Armazém {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial Não {0} não pertence ao Armazém {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,Nota : O sistema não irá verificar o excesso de entrega e sobre- reserva para item {0} como quantidade ou valor é 0 DocType: Notification Control,Quotation Message,Mensagem do Orçamento DocType: Employee Loan,Employee Loan Application,Pedido de Emprestimo de Colaborador @@ -2112,16 +2115,16 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse mus apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nenhum contato adicionado ainda. DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Comprovante de Custo do Desembarque apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturas emitidas por Fornecedores. -DocType: POS Profile,Write Off Account,Conta de abatimentos +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 +207,e.g. VAT,ex: ICMS +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 +1945,Please select customer,Selecione o cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -2138,13 +2141,13 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62,Gross Purchase Amount i DocType: Lead,Address Desc,Descrição do Endereço apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,É obrigatório colocar o sujeito DocType: Topic,Topic Name,Nome do tópico -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Pelo menos um dos Vendedores ou Compradores deve ser selecionado +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Pelo menos um dos Vendedores ou Compradores deve ser selecionado 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} DocType: C-Form,Total Invoiced Amount,Valor Total Faturado -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Qtde mínima não pode ser maior do que qtde máxima +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 DocType: Lead,Lead Owner,Proprietário do Cliente em Potencial DocType: Stock Settings,Auto Material Request,Requisição de Material Automática @@ -2190,6 +2193,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +78,Purpose must b apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +120,Fill the form and save it,Preencha o formulário e salve DocType: Production Planning Tool,Download a report containing all raw materials with their latest inventory status,Baixar um relatório contendo todas as matérias-primas com o seu status mais recente no inventário apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +26,Community Forum,Community Forum +apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +51,Actual qty in stock,Quantidade real em estoque DocType: Leave Application,Leave Balance Before Application,Saldo de Licenças Antes da Solicitação DocType: SMS Center,Send SMS,Envie SMS DocType: Company,Default Letter Head,Cabeçalho Padrão @@ -2208,7 +2212,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar imposto detalhado apps/erpnext/erpnext/accounts/party.py +308,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 @@ -2219,7 +2222,6 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please DocType: Serial No,Out of AMC,Fora do CAM apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Criar Visita de Manutenção 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" -DocType: Company,Default Cash Account,Conta Caixa padrão 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 +108,Please enter 'Expected Delivery Date',"Por favor, digite a ""Data Prevista de Entrega""" @@ -2245,17 +2247,18 @@ DocType: Warranty Claim,Item and Warranty Details,Itens e Garantia Detalhes apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota: Entrada pagamento não será criado desde 'Cash ou conta bancária ' não foi especificado DocType: Sales Person,Sales Person Name,Nome do Vendedor apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, indique pelo menos uma fatura na tabela" +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Adicionar Usuários DocType: POS Item Group,Item Group,Grupo de Itens DocType: Item,Safety Stock,Estoque de Segurança DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e taxas acrescidos (moeda da empresa) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Imposto Row {0} deve ter em conta tipo de imposto ou de renda ou de despesa ou carregável +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Imposto Row {0} deve ter em conta tipo de imposto ou de renda ou de despesa ou carregável apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Por favor, digite novamente o nome da empresa para confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total devido +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total devido DocType: Journal Entry,Printing Settings,Configurações de impressão apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Débito total deve ser igual ao total de crédito. apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automotivo DocType: Asset Category Account,Fixed Asset Account,Conta do Ativo Imobilizado -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,De Nota de Entrega +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,De Nota de Entrega DocType: Timesheet Detail,From Time,Do Horário apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,No Estoque: DocType: Notification Control,Custom Message,Mensagem personalizada @@ -2271,7 +2274,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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" @@ -2282,12 +2285,12 @@ DocType: Process Payroll,Process Payroll,Processar a Folha de Pagamento apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Há mais feriados do que dias úteis do mês. DocType: Product Bundle Item,Product Bundle Item,Item do Pacote de Produtos DocType: Sales Partner,Sales Partner Name,Nome do Parceiro de Vendas -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Solicitação de Orçamento +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Solicitação de Orçamento DocType: Payment Reconciliation,Maximum Invoice Amount,Valor Máximo da Fatura DocType: Asset,Partially Depreciated,parcialmente depreciados DocType: Issue,Opening Time,Horário de Abertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,De e datas necessárias -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}' +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 o mesmo que no modelo '{1}' DocType: Shipping Rule,Calculate Based On,Calcule Baseado em DocType: Delivery Note Item,From Warehouse,Armazén de Origem DocType: Assessment Plan,Supervisor Name,Nome do supervisor @@ -2314,8 +2317,8 @@ apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Nº de Série Obrigatório para o Item Serializado {0} +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/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 DocType: Authorization Rule,Applicable To (Designation),Aplicável Para (Designação) @@ -2337,14 +2340,15 @@ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.p 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 +645,Point of Sale,Ponto de Vendas +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 +apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","O item em lote {0} não pode ser atualizado utilizando a Reconciliação de Estoque, em vez disso, utilize o Lançamento de Estoque" 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 +394,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 +389,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." @@ -2360,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 +465,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 +466,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" @@ -2388,7 +2392,7 @@ 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 +436,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 +437,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} @@ -2486,7 +2490,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted a apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Como na Data apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Provação apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Devolução / Nota de Crédito -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Quantia total paga +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Quantia total paga 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) @@ -2535,13 +2539,14 @@ DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalhes do Imposto Vin ,Item-wise Price List Rate,Lista de Preços por Item apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,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 +451,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1} +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 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regras para adicionar os custos de envio . DocType: Item,Opening Stock,Abertura de Estoque apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,O Cliente é obrigatório apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} é obrigatório para Devolução DocType: Purchase Order,To Receive,Receber +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,usuario@exemplo.com.br apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variância total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se ativado, o sistema irá postar lançamentos contábeis para o inventário automaticamente." apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +15,Brokerage,Corretagem @@ -2552,13 +2557,12 @@ 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 +541,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 +542,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 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório DocType: Serial No,Out of Warranty,Fora de Garantia -DocType: Production Order,Unstopped,Retomado apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra Nota Fiscal de Vendas {1} DocType: Sales Invoice,SINV-,NFV- DocType: Customer,Mention if non-standard receivable account,Mencione se a conta a receber não for a conta padrão @@ -2587,18 +2591,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +42,Private Equity,Patr 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 +100,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 +40,Submit this Production Order for further processing.,Enviar esta ordem de produção para posterior processamento. +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/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 +209,Rate (%),Percentual (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Deixar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Observação: {0} @@ -2618,7 +2623,7 @@ DocType: Employee,History In Company,Histórico na Empresa DocType: Stock Ledger Entry,Stock Ledger Entry,Lançamento do Livro de Inventário DocType: Department,Leave Block List,Lista de Bloqueio de Licença DocType: Sales Invoice,Tax ID,CPF/CNPJ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +188,Item {0} is not setup for Serial Nos. Column must be blank,Item {0} não está configurado para Serial Coluna N º s deve estar em branco +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} não está configurado para Serial Coluna N º s deve estar em branco DocType: Accounts Settings,Accounts Settings,Configurações de Contas DocType: Customer,Sales Partner and Commission,Parceiro de Vendas e Comissão DocType: Employee Loan,Rate of Interest (%) / Year,Taxa de Juros (%) / Ano @@ -2634,7 +2639,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação Despesa To 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} DocType: Journal Entry Account,Exchange Rate,Taxa de Câmbio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado +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 DocType: Homepage,Tag Line,Slogan DocType: Fee Component,Fee Component,Componente da Taxa DocType: BOM,Last Purchase Rate,Valor da Última Compra @@ -2673,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 +2383,Select items to save the invoice,Selecione os itens para salvar a nota +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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} @@ -2703,11 +2708,11 @@ apps/erpnext/erpnext/config/buying.py +7,Purchasing,Requisições apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser excluído pois existe entrada de material para este armazém. 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 +74,Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}% +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 +279,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 +879,Select Items to Manufacture,Selecionar Itens para Produzir -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo" +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" 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 @@ -2721,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 +200,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 +198,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 @@ -2734,7 +2739,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para definir esse Ano Fiscal como padrão , clique em ' Definir como padrão '" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Junte-se apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Escassez Qtde -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos DocType: Leave Application,LAP/,SDL/ DocType: Salary Slip,Salary Slip,Contracheque DocType: Pricing Rule,Margin Rate or Amount,Percentual ou Valor de Margem @@ -2746,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 +1011,It is needed to fetch Item Details.,É preciso buscar Número detalhes. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Nº de Série {0} já foi recebido +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 +1312,Delete permanently?,Apagar de forma permanente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 @@ -2764,7 +2769,7 @@ DocType: Sales Invoice,Base Change Amount (Company Currency),Troco (moeda da emp 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. DocType: Account,Chargeable,Taxável -DocType: Company,Change Abbreviation,Mudança abreviação +DocType: Company,Change Abbreviation,Miudar 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 @@ -2780,8 +2785,8 @@ apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Veja os DocType: Item Attribute Value,Attribute Value,Atributo Valor ,Itemwise Recommended Reorder Level,Níves de Reposição Recomendados por Item DocType: Salary Detail,Salary Detail,Detalhes de Salário -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Por favor selecione {0} primeiro -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Por favor selecione {0} primeiro +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou. apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Registro de Tempo para fabricação DocType: Salary Detail,Default Amount,Quantidade Padrão apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +93,Warehouse not found in the system,Armazén não foi encontrado no sistema @@ -2800,11 +2805,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 +399,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 +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/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 +387,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 +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/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. @@ -2824,7 +2829,7 @@ DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Ação se o Acumul DocType: Purchase Invoice,Submit on creation,Enviar ao criar DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Os e-mails serão enviados para todos os colaboradores ativos da empresa na hora informada, caso não estejam de férias. O resumo das respostas serão enviadas à meia-noite." DocType: Employee Leave Approver,Employee Leave Approver,Licença do Colaborador Aprovada -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: Uma entrada de reposição já existe para este armazém {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: Uma entrada de reposição já existe para este armazém {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Não se pode declarar como perdido , porque foi realizado um Orçamento." apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback do Treinamento apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Ordem de produção {0} deve ser enviado @@ -2854,7 +2859,7 @@ apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfil do Pon apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Atualize Configurações SMS apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Empréstimos não Garantidos DocType: Maintenance Schedule Detail,Scheduled Date,Data Agendada -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Quantia total paga +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Quantia total paga DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mensagens maiores do que 160 caracteres vão ser divididos em múltiplas mensagens DocType: Purchase Receipt Item,Received and Accepted,Recebeu e aceitou ,Serial No Service Contract Expiry,Vencimento do Contrato de Serviço com Nº de Série @@ -2869,7 +2874,7 @@ 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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Site Imagem {0} anexada ao Item {1} não pode ser encontrado +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 @@ -2881,7 +2886,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,O que isto f apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Para o Armazén apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas Admissões de Alunos ,Average Commission Rate,Percentual de Comissão Médio -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Comparecimento não pode ser marcado para datas futuras DocType: Pricing Rule,Pricing Rule Help,Regra Preços Ajuda DocType: Purchase Taxes and Charges,Account Head,Conta @@ -2895,7 +2900,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 +339,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 +340,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 @@ -2908,17 +2913,17 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Contracheque do colaborador {0} já criado para o registro de tempo {1} DocType: Vehicle Log,Odometer,Odômetro DocType: Sales Order Item,Ordered Qty,Qtde Encomendada -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Item {0} está desativado +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 +874,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 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso nos items selecionados como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso nos items selecionados como {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Desconto deve ser inferior a 100 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Último valor de compra não encontrado DocType: Purchase Invoice,Write Off Amount (Company Currency),Valor abatido (moeda da empresa) -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Linha # {0}: Por favor, defina a quantidade de reposição" +apps/erpnext/erpnext/stock/doctype/item/item.py +485,Row #{0}: Please set reorder quantity,"Linha # {0}: Por favor, defina a quantidade de reposição" DocType: Landed Cost Voucher,Landed Cost Voucher,Comprovante de Custos de Desembarque apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Defina {0} DocType: Employee,Health Details,Detalhes sobre a Saúde @@ -2959,7 +2964,7 @@ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70, DocType: Manufacturing Settings,Default Work In Progress Warehouse,Armazén Padrão de Trabalho em Andamento apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,As configurações padrão para as transações contábeis. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data prevista de entrega não pode ser antes da data da Requisição de Material -DocType: Production Order,Source Warehouse (for reserving Items),Armazén de Origem (para reserva de itens) +DocType: Purchase Invoice Item,Stock Qty,Quantidade em estoque apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erro: Não é um ID válido? DocType: Naming Series,Update Series Number,Atualizar Números de Séries DocType: Account,Equity,Patrimônio Líquido @@ -2990,8 +2995,9 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +90,Fiscal Year apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +131,Successfully Reconciled,Reconciliados com sucesso DocType: Production Order,Planned End Date,Data Planejada de Término DocType: Request for Quotation,Supplier Detail,Detalhe do Fornecedor -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Valor Faturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Valor Faturado DocType: Attendance,Attendance,Comparecimento +apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Itens de estoque DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se não for controlada, a lista deverá ser adicionado a cada departamento onde tem de ser aplicado." apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Data e horário da postagem são obrigatórios DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível quando você salvar o Pedido de Compra. @@ -3018,10 +3024,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Configurar um website simples para a minha organização +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 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 +650,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}" +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}" apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Orçamento não pode ser atribuído contra a conta de grupo {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Por favor entre o centro de custo pai DocType: Delivery Note,Print Without Amount,Imprimir sem valores @@ -3056,7 +3062,7 @@ 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 +1344,Select or add new customer,Selecione ou adicione um novo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1438,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 @@ -3080,7 +3086,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 +1637,Price List not found or disabled,Preço de tabela não encontrado ou deficientes +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/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 @@ -3093,7 +3099,7 @@ DocType: POS Profile,Account for Change Amount,Conta para troco apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: Sujeito / Conta não coincidem com {1} / {2} em {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Por favor insira Conta Despesa DocType: Account,Stock,Estoque -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Compra, uma Nota Fiscal de Compra ou um Lançamento Contábil" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Compra, uma Nota Fiscal de Compra ou um Lançamento Contábil" DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se o item é uma variante de outro item, em seguida, descrição, imagem, preços, impostos etc será definido a partir do modelo, a menos que explicitamente especificado" DocType: Serial No,Purchase / Manufacture Details,Detalhes Compra / Fabricação apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,Inventário por Lote diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv index c2ba6e81a6..5e13325d4e 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Lista de Feriados -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contabilista +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Contabilista DocType: Cost Center,Stock User,Utilizador de Stock DocType: Company,Phone No,Nº de Telefone apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Cronogramas de Curso criados: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Não tem permissão para {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obter itens de -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Não itens encontrados +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Relatórios de Stock DocType: Warehouse,Warehouse Detail,Detalhe Armazém apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},O cliente {0} {1}/{2} ultrapassou o limite de crédito 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.,"O Prazo de Data de Término não pode ser posterior à Data de Término de Ano do Ano Letivo, com a qual está relacionado o termo (Ano Lectivo {}). Por favor, corrija as datas e tente novamente." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},De {0} a {1} DocType: Item,Copy From Item Group,Copiar do Grupo do Item DocType: Journal Entry,Opening Entry,Registo de Abertura -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Só Conta de Pagamento DocType: Employee Loan,Repay Over Number of Periods,Reembolsar Ao longo Número de Períodos DocType: Stock Entry,Additional Costs,Custos Adicionais @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Imóveis -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Extrato de Conta +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 DocType: Purchase Invoice Item,Is Fixed Asset,É um Ativo Imobilizado apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","A qtd disponível é {0}, necessita {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumíveis +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Exemplo: Fundamentos de Matemática +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/config/hr.py +214,Settings for HR Module,Definições para o Módulo RH DocType: SMS Center,SMS Center,Centro de SMS @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Itens e Preços apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Horas totais: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},A Data De deve estar dentro do Ano Fiscal. Assumindo que a Data De = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,citações DocType: Customer,Individual,Individual DocType: Interest,Academics User,Utilizador Académico DocType: Cheque Print Template,Amount In Figure,Montante em Números @@ -266,7 +267,7 @@ DocType: Employee,Create User,Criar utilizador DocType: Selling Settings,Default Territory,Território Padrão apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televisão DocType: Production Order Operation,Updated via 'Time Log',"Atualizado através de ""Registo de Tempo""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},O montante do adiantamento não pode ser maior do que {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},O montante do adiantamento não pode ser maior do que {0} {1} DocType: Naming Series,Series List for this Transaction,Lista de Séries para esta Transação DocType: Company,Enable Perpetual Inventory,Habilitar inventário perpétuo DocType: Company,Default Payroll Payable Account,Folha de pagamento padrão Contas a Pagar @@ -274,7 +275,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 +177,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 +175,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." @@ -282,13 +283,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 +2256,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nome de Contacto +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,A Data de Dispensa deve ser mais recente que a Data de Adesão apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Licenças por Ano 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 +189,Warehouse {0} does not belong to company {1},O Armazém {0} não pertence à empresa {1} +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 +270,Litre,Litro +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},O Item {0} expirou em {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},O Item {0} expirou em {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Registos Bancários apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item de Reconciliação de Stock @@ -316,7 +317,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 +316,People who teach at your organisation,Pessoas que ensinam na sua organização +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,Permitir que o utilizador altere o 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 +699,Item {0} is cancelled,O Item {0} foi cancelado +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 +882,Material Request,Solicitação de Material DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data de Liquidação DocType: Item,Purchase Details,Dados de Compra @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,Gestor de Frotas apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} entrou duas vezes na Taxa de Item +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} entrou duas vezes na Taxa de Item apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resumo para esta semana e atividades pendentes DocType: Student Applicant,Admitted,Admitido/a DocType: Workstation,Rent Cost,Custo de Aluguer @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Recebida apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Criar Grupos de Estudantes apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,A Instalação Já Está Concluída!! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Valor da Nota de Crédito +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Valor da Nota de Crédito ,Finished Goods,Produtos Acabados DocType: Delivery Note,Instructions,Instruções DocType: Quality Inspection,Inspected By,Inspecionado Por @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,Criar um novo cliente +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Por favor, configure as séries de numeração para Atendimento por meio da Configuração> Série de numeração" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Criar ordens de compra ,Purchase Register,Registo de Compra DocType: Course Scheduling Tool,Rechedule,Remarcar @@ -473,7 +475,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 +330,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 +361,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 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,O Atributo {0} foi selecionado várias vezes na Tabela de Atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,O Atributo {0} foi selecionado várias vezes na Tabela de Atributos DocType: HR Settings,Employee record is created using selected field. ,O registo de funcionário é criado ao utilizar o campo selecionado. DocType: Sales Order,Not Applicable,Não Aplicável apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Definidor de Feriados. @@ -530,7 +532,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 +219,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 +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/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" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its 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, insira o Armazém em que será levantanda a Solicitação de Material" DocType: Production Order,Additional Operating Cost,Custos Operacionais Adicionais apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosméticos -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para unir, as seguintes propriedades devem ser iguais para ambos items" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Para unir, as seguintes propriedades devem ser iguais para ambos items" DocType: Shipping Rule,Net Weight,Peso Líquido DocType: Employee,Emergency Phone,Telefone de Emergência apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Comprar @@ -555,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%,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 +2428,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 +2522,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 @@ -574,7 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas DocType: Purchase Invoice,Supplier Invoice No,Nr. de Fatura de Fornecedor DocType: Territory,For reference,Para referência -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Não é possível eliminar o Nº de Série {0}, pois está a ser utilizado em transações de stock" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Não é possível eliminar o Nº de Série {0}, pois está a ser utilizado em transações de stock" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),A Fechar (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Mover Item DocType: Serial No,Warranty Period (Days),Período de Garantia (Dias) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Por favor, selecione primeiro a Empresa e o Tipo de Parte" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Ano fiscal / financeiro. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valores Acumulados -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Desculpe, mas os Nrs. de Série não podem ser unidos" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Desculpe, mas os Nrs. de Série não podem ser unidos" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Criar Pedido de Venda DocType: Project Task,Project Task,Tarefa do Projeto ,Lead Id,ID de Potencial Cliente @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Atribuir apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Retorno de Vendas 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,"Nota: O total de licenças atribuídas {0} não deve ser menor do que as licenças já aprovadas {1}, para esse período" +,Total Stock Summary,Resumo de estoque total DocType: Announcement,Posted By,Postado Por DocType: Item,Delivered by Supplier (Drop Ship),Entregue pelo Fornecedor (Envio Direto) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Base de dados de potenciais clientes. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Base de dados do c DocType: Quotation,Quotation To,Orçamento Para DocType: Lead,Middle Income,Rendimento Médio apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Inicial (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,A Unidade de Medida Padrão do Item {0} não pode ser alterada diretamente porque já efetuou alguma/s transação/transações com outra UNID. Irá precisar criar um novo Item para poder utilizar uma UNID Padrão diferente. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,A Unidade de Medida Padrão do Item {0} não pode ser alterada diretamente porque já efetuou alguma/s transação/transações com outra UNID. Irá precisar criar um novo Item para poder utilizar uma UNID Padrão diferente. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,O montante atribuído não pode ser negativo apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Defina a Empresa DocType: Purchase Order Item,Billed Amt,Qtd Faturada @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Definidores DocType: Assessment Plan,Maximum Assessment Score,Pontuação máxima Assessment apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Atualizar as Datas de Transações Bancárias apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Monitorização de Tempo +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICADO PARA O TRANSPORTE DocType: Fiscal Year Company,Fiscal Year Company,Ano Fiscal da Empresa DocType: Packing Slip Item,DN Detail,Dados de NE DocType: Training Event,Conference,Conferência @@ -683,8 +687,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 +320,Timesheet created:,Registo de Horas criado: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -713,7 +717,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 +139,Finish,Terminar +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Terminar apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Base DocType: Timesheet,Total Billed Hours,Horas Totais Faturadas DocType: Journal Entry,Write Off Amount,Liquidar Quantidade @@ -746,7 +750,7 @@ DocType: Hub Settings,Seller City,Cidade do Vendedor ,Absent Student Report,Relatório de Faltas de Estudante DocType: Email Digest,Next email will be sent on:,O próximo email será enviado em: DocType: Offer Letter Term,Offer Letter Term,Termo de Carta de Oferta -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,O Item tem variantes. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,O Item tem variantes. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Não foi encontrado o Item {0} DocType: Bin,Stock Value,Valor do Stock apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,A Empresa {0} não existe @@ -792,12 +796,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Criar Registo de Horas +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -855,13 +859,13 @@ DocType: Company,Default Cost of Goods Sold Account,Custo Padrão de Conta de Pr 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 DocType: Request for Quotation Supplier,Send Email,Enviar Email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Aviso: Anexo inválido {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Sem Permissão +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Aviso: Anexo inválido {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Sem Permissão 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 +269,Nos,Nrs. +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -880,7 +884,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 +274,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 +275,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 @@ -968,14 +972,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,A LDM {0} deve estar ativa +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},O Nr. de Série {0} não pertence ao Item {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},O Nr. de Série {0} não pertence ao Item {1} DocType: Purchase Receipt Item Supplied,Required Qty,Qtd Necessária apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Os Armazéns com transação existente não podem ser convertidos em razão. DocType: Bank Reconciliation,Total Amount,Valor Total @@ -992,7 +996,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Componentes apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Por favor, insira a Categoria de Ativo no Item {0}" DocType: Quality Inspection Reading,Reading 6,Leitura 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente negativa +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente negativa DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avanço de Fatura de Compra DocType: Hub Settings,Sync Now,Sincronizar Agora apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Linha {0}: O registo de crédito não pode ser ligado a {1} @@ -1006,12 +1010,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 +731,New Sales Invoice,Nova Fatura de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sincronização de Facturas Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1044,10 +1048,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Produto Químico DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"A conta Bancária / Dinheiro padrão será atualizada automaticamente no Registo de Lançamento Contabilístico, quando for selecionado este modo." DocType: BOM,Raw Material Cost(Company Currency),Custo da Matéria-prima (Moeda da Empresa) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,Metro +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1070,7 +1074,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 +452,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 +453,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 @@ -1078,7 +1082,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 +259,Qty for {0},Qtd para {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1090,9 +1094,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Dinheiro/Conta Bancária apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Por favor especificar um {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Itens removidos sem nenhuma alteração na quantidade ou valor. DocType: Delivery Note,Delivery To,Entregue A -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,É obrigatório colocar a tabela do atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,É obrigatório colocar a tabela do atributos DocType: Production Planning Tool,Get Sales Orders,Obter Ordens de Venda -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} não pode ser negativo +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} não pode ser negativo apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Desconto DocType: Asset,Total Number of Depreciations,Número total de Depreciações DocType: Sales Invoice Item,Rate With Margin,Taxa com margem @@ -1129,7 +1133,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 +1546,ZIP Code,Código Postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1148,7 +1152,7 @@ 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 +238,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 +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/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) @@ -1173,7 +1177,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',"Por favor, defina ""Aplicar Desconto Adicional Em""" +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 DocType: Global Defaults,Global Defaults,Padrões Gerais @@ -1181,10 +1185,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 +22,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 +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} 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 +347,Capacity Planning Error,Erro de Planeamento de Capacidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1203,7 +1207,7 @@ DocType: Purchase Invoice,Is Return,É um Retorno apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},Nr. de série válido {0} para o Item {1} +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} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,O Código de Item não pode ser alterado por um Nr. de Série. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},O Perfil POS {0} já foi criado para o utilizador: {1} e para a empresa {2} DocType: Sales Invoice Item,UOM Conversion Factor,Fator de Conversão de UNID @@ -1213,7 +1217,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 +675,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 +2389,"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 +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." 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" @@ -1254,7 +1258,7 @@ 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,Ver Livro 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 +511,"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/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/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 @@ -1283,7 +1287,7 @@ 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 +288,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1294,7 +1298,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,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 +66,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} \ @@ -1312,14 +1316,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Local de Emissão apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contrato DocType: Email Digest,Add Quote,Adicionar Cotação -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Fator de conversão de UNID necessário para a UNID: {0} no Item: {1} +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 UNID necessário para a UNID: {0} no Item: {1} 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 +736,Sync Master Data,Sincronização de Def. de Dados -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Os seus Produtos ou Serviços +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 DocType: Mode of Payment,Mode of Payment,Modo de Pagamento -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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 DocType: Purchase Invoice Item,BOM,LDM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este é um item principal e não pode ser editado. @@ -1336,14 +1340,13 @@ 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 +562,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 +563,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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Estado do Pedido de Produção é {0} DocType: Appraisal Goal,Goal,Objetivo DocType: Sales Invoice Item,Edit Description,Editar Descrição ,Team Updates,equipe Updates @@ -1359,14 +1362,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe um armazém secundário para este armazém. Não pode eliminar este armazém. 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 +177,Serial number {0} entered more than once,O número de série {0} foi introduzido mais do que uma vez +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 +78,{0} items in progress,{0} itens em progresso +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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 @@ -1425,7 +1428,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1440,7 @@ 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 +260,Max: {0},Máx.: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1448,7 +1450,7 @@ DocType: Sales Invoice,Shipping Address Name,Nome de Endereço de Envio apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plano de Contas DocType: Material Request,Terms and Conditions Content,Conteúdo de Termos e Condições apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,não pode ser maior do que 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,O Item {0} não é um item de stock +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,O Item {0} não é um item de stock DocType: Maintenance Visit,Unscheduled,Sem Marcação DocType: Employee,Owned,Pertencente DocType: Salary Detail,Depends on Leave Without Pay,Depende da Licença Sem Vencimento @@ -1480,7 +1482,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 +273,We buy this Item,Nós compramos este Item +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1491,7 +1493,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 +266,Sub Assemblies,Submontagens +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1524,12 +1526,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Não foram encontrados nenhuns registos na tabela Pagamento apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Este/a {0} entra em conflito com {1} por {2} {3} DocType: Student Attendance Tool,Students HTML,HTML de Estudantes DocType: POS Profile,Apply Discount,Aplicar Desconto -DocType: Purchase Invoice Item,GST HSN Code,Código GST HSN +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 +283,Packing Slip(s) cancelled,Nota(s) Fiscal(ais) cancelada(s) @@ -1572,8 +1574,8 @@ 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 +2573,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 +269,Box,Caixa +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 +873,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" @@ -1603,7 +1605,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Método de reembolso DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se for selecionado, a Página Inicial será o Grupo de Itens padrão do website" DocType: Quality Inspection Reading,Reading 4,Leitura 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM padrão para {0} não foi encontrado para o projeto {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Os reembolsos de despesa da empresa. 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} @@ -1620,29 +1621,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova tarefa apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Faça Cotação apps/erpnext/erpnext/config/selling.py +216,Other Reports,Outros Relatórios DocType: Dependent Task,Dependent Task,Tarefa Dependente -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},O fator de conversão da unidade de medida padrão deve ser 1 na linha {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},O fator de conversão da unidade de medida padrão deve ser 1 na linha {0} 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} DocType: SMS Center,Receiver List,Lista de Destinatários -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Pesquisar Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Já foi concluído +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,ID do PD do cliente DocType: Account,Account Name,Nome da Conta apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,A Data De não pode ser mais recente do que a Data A -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,O Nr. de Série {0} de quantidade {1} não pode ser uma fração +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,O Nr. de Série {0} de quantidade {1} não pode ser uma fração apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Definidor de Tipo de Fornecedor. DocType: Purchase Order Item,Supplier Part Number,Número de Peça de Fornecedor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,A taxa de conversão não pode ser 0 ou 1 @@ -1650,6 +1651,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Datade Expedição do Veículo +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Conta a Pagar Padrão apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","As definições para carrinho de compras online, tais como as regras de navegação, lista de preços, etc." @@ -1706,7 +1708,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Incluir as férias DocType: Sales Invoice,Packed Items,Itens Embalados apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamação de Garantia em Nr. de Série. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Substitui uma determinada LDM em todas as outras listas de materiais em que seja utilizada. Irá substituir o antigo link da LDM, atualizar o custo e voltar a gerar a tabela de ""Itens Expandidos da LDM"" como nova LDM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Ativar Carrinho de Compras DocType: Employee,Permanent Address,Endereço Permanente apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1742,6 +1744,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Peso +DocType: Sales 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" @@ -1761,7 +1764,7 @@ DocType: Purchase Invoice,Notification Email Address,Endereço de Email de Notif ,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 +699,Offline,Off-line +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1778,7 +1781,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para numeração de série em suas transações DocType: Employee Attendance Tool,Employees HTML,HTML de Funcionários -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo 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 @@ -1791,7 +1794,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 +175,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 +173,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 @@ -1801,7 +1804,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupo de Estudantes Força apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,No Lançamento Contábil {0} não possui qualquer registo {1} ímpar apps/erpnext/erpnext/config/hr.py +137,Appraisals,Avaliações -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Foi inserido um Nº de Série em duplicado para o Item {0} +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" @@ -1810,7 +1813,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,A LDM {0} deve ser enviada +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Pagamento @@ -1829,13 +1832,13 @@ 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 +257,"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 +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. 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: Asset Movement,Asset Movement,Movimento de Ativo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,New Cart +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1861,7 +1864,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obter Itens de Recibos de Compra DocType: Serial No,Creation Date,Data de Criação apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},O Item {0} aparece várias vezes na Lista de Preços {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","A venda deve ser verificada, se Aplicável Para for selecionado como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","A venda deve ser verificada, se Aplicável Para for selecionado como {0}" DocType: Production Plan Material Request,Material Request Date,Data da Solicitação de Material DocType: Purchase Order Item,Supplier Quotation Item,Item de Cotação do Fornecedor DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desativa a criação de registos de tempo dos Pedidos de Produção. As operações não devem ser acompanhadas no Pedido de Produção @@ -1878,12 +1881,12 @@ 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 DocType: Budget,Budget,Orçamento -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,O Item Ativo Imobilizado deve ser um item não inventariado. +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 +209,e.g. 5,ex: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1892,7 +1895,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,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 +263,A Product or Service,Um Produto ou Serviço +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1968,7 +1971,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1987,10 +1990,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Data de Término Efetiva (através da Folha de Presenças) 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 +160,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 +342,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/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 DocType: Shipping Rule Condition,Shipping Amount,Montante de Envio -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Adicionar clientes +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -2007,6 +2010,7 @@ DocType: Journal Entry,Accounts Receivable,Contas a Receber ,Supplier-Wise Sales Analytics,Análise de Vendas por Fornecedor apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Inserir Montante Pago DocType: Salary Structure,Select employees for current Salary Structure,Selecionar funcionários para a Estrutura Salarial atual +DocType: Sales Invoice,Company Address Name,Nome da Endereço da Empresa DocType: Production Order,Use Multi-Level BOM,Utilizar LDM de Vários Níveis DocType: Bank Reconciliation,Include Reconciled Entries,Incluir Registos Conciliados 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)" @@ -2027,7 +2031,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 +269,Unit,Unidade +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2049,7 +2053,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,Diferença de Montante @@ -2058,7 +2062,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Classificação dos Clientes por Região apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,O Montante de Diferença deve ser zero DocType: Project,Gross Margin,Margem Bruta -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Por favor, insira primeiro o Item de Produção" +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 +748,Quotation,Cotação @@ -2070,7 +2074,7 @@ 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**. DocType: Opportunity,Customer / Lead Address,Endereço de Cliente / Potencial Cliente -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Aviso: Certificado SSL inválido no anexo {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Aviso: Certificado SSL inválido no anexo {0} DocType: Student Admission,Eligibility,Elegibilidade apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads ajudá-lo a começar o negócio, adicione todos os seus contatos e mais como suas ligações" DocType: Production Order Operation,Actual Operation Time,Tempo Operacional Efetivo @@ -2089,11 +2093,11 @@ DocType: Appraisal,Calculate Total Score,Calcular a Classificação Total DocType: Request for Quotation,Manufacturing Manager,Gestor de Fabrico apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},O Nr. de Série {0} está na garantia até {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir a Guia de Remessa em pacotes. -apps/erpnext/erpnext/hooks.py +87,Shipments,Envios +apps/erpnext/erpnext/hooks.py +94,Shipments,Envios DocType: Payment Entry,Total Allocated Amount (Company Currency),Montante Alocado Total (Moeda da Empresa) DocType: Purchase Order Item,To be delivered to customer,A ser entregue ao cliente DocType: BOM,Scrap Material Cost,Custo de Material de Sucata -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,O Nr. de Série {0} não pertence a nenhum Armazém +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,O Nr. de Série {0} não pertence a nenhum Armazém DocType: Purchase Invoice,In Words (Company Currency),Por Extenso (Moeda da Empresa) DocType: Asset,Supplier,Fornecedor DocType: C-Form,Quarter,Trimestre @@ -2108,11 +2112,10 @@ DocType: Leave Application,Total Leave Days,Total de Dias de Licença DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: O email não será enviado a utilizadores desativados apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de Interações apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de Interações -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/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 +408,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2156,7 +2159,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Dados de Reembolso de Despesas -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Por favor, selecione a conta correta" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICADO PARA FORNECEDOR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Por favor, selecione a conta correta" DocType: Item,Weight UOM,UNID de Peso DocType: Salary Structure Employee,Salary Structure Employee,Estrutura Salarial de Funcionários DocType: Employee,Blood Group,Grupo Sanguíneo @@ -2178,7 +2182,7 @@ DocType: Student,Guardians,Responsáveis 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 +336,Debit To is required,É necessário colocar o Débito Para +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/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 @@ -2191,7 +2195,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Por Pagar: { DocType: BOM Website Operation,BOM Website Operation,BOM Operação Site apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta de Oferta apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Gerar Pedido de Materiais (PRM) e Ordens de Produção. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Qtd Total Faturada +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Qtd Total Faturada DocType: BOM,Conversion Rate,Taxa de Conversão apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Pesquisa de produto DocType: Timesheet Detail,To Time,Para Tempo @@ -2206,7 +2210,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Evento de Formação de Funcionário -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,São necessários {0} Nrs. de Série para o Item {1}. Forneceu {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,São necessários {0} Nrs. de Série para o Item {1}. Forneceu {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Avaliação Atual da Taxa DocType: Item,Customer Item Codes,Códigos de Item de Cliente apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ganhos / Perdas de Câmbio @@ -2254,7 +2258,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 +2454,Select Batch No,Selecione lote não +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2278,19 +2282,19 @@ DocType: Leave Block List,Allow Users,Permitir Utilizadores DocType: Purchase Order,Customer Mobile No,Nr. de Telemóvel de Cliente DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Acompanhe Rendimentos e Despesas separados para verticais ou divisões de produtos. DocType: Rename Tool,Rename Tool,Ferr. de Alt. de Nome -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atualizar Custo +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 +438,Show Salary Slip,Mostrar Folha de Vencimento apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Selecionar alterar montante de conta +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Adicionar Impostos +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2301,6 +2305,7 @@ DocType: Stock Entry,Purchase Receipt No,Nº de Recibo de Compra apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Sinal DocType: Process Payroll,Create Salary Slip,Criar Folha de Vencimento apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rastreabilidade +DocType: Purchase Invoice Item,HSN/SAC Code,Código HSN / SAC 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 @@ -2330,7 +2335,7 @@ DocType: Employee Education,Post Graduate,Pós-Graduação DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Dados do Cronograma de Manutenção DocType: Quality Inspection Reading,Reading 9,Leitura 9 DocType: Supplier,Is Frozen,Está Congelado -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Não é permitido selecionar o subgrupo de armazém para as transações +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Não é permitido selecionar o subgrupo de armazém para as transações DocType: Buying Settings,Buying Settings,Definições de Compra DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nº da LDM para um Produto Acabado DocType: Upload Attendance,Attendance To Date,Assiduidade Até À Data @@ -2345,13 +2350,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Não pode alterar a taxa se a LDM for mencionada nalgum item +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Por favor, indique a Qtd Planeada para o Item {0} na linha {1}" @@ -2373,7 +2378,7 @@ DocType: Authorization Rule,Authorized Value,Valor Autorizado DocType: BOM,Show Operations,Mostrar Operações ,Minutes to First Response for Opportunity,Minutos para a Primeira Resposta a uma Oportunidade apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Faltas Totais -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,O Item ou Armazém para a linha {0} não corresponde à Solicitação de Materiais +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,O Item ou Armazém para a linha {0} não corresponde à Solicitação de Materiais apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unidade de Medida DocType: Fiscal Year,Year End Date,Data de Fim de Ano DocType: Task Depends On,Task Depends On,A Tarefa Depende De @@ -2465,7 +2470,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 +106,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 +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/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 @@ -2563,9 +2568,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref. +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref. DocType: Budget,Cost Center,Centro de Custos apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Mensagem da Ordem de Compra @@ -2581,7 +2586,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 +1165,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 +1086,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 +773,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 @@ -2600,7 +2605,7 @@ DocType: Project,Task Completion,Conclusão da Tarefa apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Não há no Stock DocType: Appraisal,HR User,Utilizador de RH DocType: Purchase Invoice,Taxes and Charges Deducted,Impostos e Encargos Deduzidos -apps/erpnext/erpnext/hooks.py +116,Issues,Problemas +apps/erpnext/erpnext/hooks.py +124,Issues,Problemas apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},O estado deve ser um dos {0} DocType: Sales Invoice,Debit To,Débito Para DocType: Delivery Note,Required only for sample item.,Só é necessário para o item de amostra. @@ -2629,6 +2634,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Território apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Por favor, mencione o nr. de visitas necessárias" DocType: Stock Settings,Default Valuation Method,Método de Estimativa Padrão +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Taxa DocType: Vehicle Log,Fuel Qty,Qtd de Comb. DocType: Production Order Operation,Planned Start Time,Tempo de Início Planeado DocType: Course,Assessment,Avaliação @@ -2638,12 +2644,12 @@ 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 +149,Quotation {0} is cancelled,A cotação {0} foi cancelada -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Montante Total em Dívida +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 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 podem ser assinaladas em vários **Vendedores** para que possa definir e monitorizar as metas. ,S.O. No.,Nr. de P.E. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Por favor, crie um Cliente a partir dum Potencial Cliente {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Por favor, crie um Cliente a partir dum Potencial Cliente {0}" DocType: Price List,Applicable for Countries,Aplicável aos Países apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Apenas Deixar Aplicações com status de 'Aprovado' e 'Rejeitado' podem ser submetidos apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},É obrigatório colocar o Nome do Grupo de Estudantes na linha {0} @@ -2693,6 +2699,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/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 @@ -2735,8 +2742,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Materia 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.,A Percentagem de Desconto pode ser aplicada numa Lista de Preços ou em todas as Listas de Preços. DocType: Purchase Invoice,Half-yearly,Semestral apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Registo Contabilístico de Stock +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Você já avaliou os critérios de avaliação {}. DocType: Vehicle Service,Engine Oil,Óleo de Motor -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: Sales Invoice,Sales Team1,Equipa de Vendas1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,O Item {0} não existe DocType: Sales Invoice,Customer Address,Endereço de Cliente @@ -2764,7 +2771,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um Gráfico de Contas separado pertencente à Organização. DocType: Payment Request,Mute Email,Email Sem Som apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Comida, Bebidas e Tabaco" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,A taxa de comissão não pode ser superior a 100 DocType: Stock Entry,Subcontract,Subcontratar apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Por favor, insira {0} primeiro" @@ -2792,7 +2799,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Folha de Assiduidade Mensal de Estudante apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},O(A) funcionário(a) {0} já solicitou {1} entre {2} e {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data de Início do Projeto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Até +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Até DocType: Rename Tool,Rename Log,Renomear o Registo apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupo de Estudantes ou Programação do Curso é obrigatório apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupo de Estudantes ou Programação do Curso é obrigatório @@ -2817,7 +2824,7 @@ DocType: Purchase Order Item,Returned Qty,Qtd Devolvida DocType: Employee,Exit,Sair apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,É obrigatório colocar o Tipo de Fonte DocType: BOM,Total Cost(Company Currency),Custo Total (Moeda da Empresa) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Nr. de Série {0} criado +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Nr. de Série {0} criado DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do website DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Para a maior comodidade dos clientes, estes códigos podem ser utilizados em formatos de impressão, como Faturas e Guias de Remessa" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nome suplier @@ -2838,7 +2845,7 @@ DocType: SMS Settings,SMS Gateway URL,URL de Portal de SMS apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Cronogramas de Curso eliminados: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Registo para a manutenção do estado de entrega de sms DocType: Accounts Settings,Make Payment via Journal Entry,Fazer o pagamento através do Lançamento Contabilístico -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Impresso Em +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Impresso Em DocType: Item,Inspection Required before Delivery,Inspeção Requerida antes da Entrega DocType: Item,Inspection Required before Purchase,Inspeção Requerida antes da Compra apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Atividades Pendentes @@ -2870,9 +2877,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Ferramenta apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limite Ultrapassado apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de Risco 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.,"Já existe um prazo académico com este""Ano Lectivo"" {0} e ""Nome do Prazo"" {1}. Por favor, altere estes registos e tente novamente." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Como existem transações existentes contra item de {0}, você não pode alterar o valor de {1}" +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}","Como existem transações existentes contra item de {0}, você não pode alterar o valor de {1}" DocType: UOM,Must be Whole Number,Deve ser Número Inteiro DocType: Leave Control Panel,New Leaves Allocated (In Days),Novas Licenças Alocadas (Em Dias) +DocType: Sales Invoice,Invoice Copy,Cópia de fatura apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,O Nr. de Série {0} não existe DocType: Sales Invoice Item,Customer Warehouse (Optional),Armazém do Cliente (Opcional) DocType: Pricing Rule,Discount Percentage,Percentagem de Desconto @@ -2918,8 +2926,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Fechar automáticamente 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Suspender Registos de Stock +DocType: Program Enrollment,Boarding Student,Estudante de embarque DocType: Asset,Expected Value After Useful Life,Valor Previsto Após Vida Útil 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 @@ -2946,11 +2956,11 @@ DocType: Serial No,Warranty / AMC Details,Garantia / Dados CMA apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selecionar os alunos manualmente para o grupo baseado em atividade DocType: Journal Entry,User Remark,Observação de Utiliz. DocType: Lead,Market Segment,Segmento de Mercado -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},O Montante Pago não pode ser superior ao montante em dívida total negativo {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},O Montante Pago não pode ser superior ao montante em dívida total negativo {0} DocType: Employee Internal Work History,Employee Internal Work History,Historial de Trabalho Interno do Funcionário apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),A Fechar (Db) DocType: Cheque Print Template,Cheque Size,Tamanho do Cheque -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,O Nr. de Série {0} não está em stock +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,O Nr. de Série {0} não está em stock apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,O modelo de impostos pela venda de transações. DocType: Sales Invoice,Write Off Outstanding Amount,Liquidar Montante em Dívida apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},A Conta {0} não coincide com a Empresa {1} @@ -2975,7 +2985,7 @@ 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 +348,Add a few sample records,Adicione alguns registos de exemplo +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2989,17 +2999,17 @@ 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 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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,O Nr. de Série e de Lote DocType: Warranty Claim,From Company,Da Empresa -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Soma dos escores de critérios de avaliação precisa ser {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Soma dos escores de critérios de avaliação precisa ser {0}. 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 +270,Minute,Minuto +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3020,7 +3030,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Descoberto na Conta Bancária apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Criar Folha de Vencimento apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Allocated Amount não pode ser maior do que o montante pendente. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Pesquisar na LDM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Pesquisar na LDM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Empréstimos Garantidos DocType: Purchase Invoice,Edit Posting Date and Time,Editar postagem Data e Hora apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as Contas relacionadas com a Depreciação na Categoria de ativos {0} ou na Empresa {1}" @@ -3036,7 +3046,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 +278,Select Quantity,Selecionar Quantidade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3059,6 +3069,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa 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 antigas que {0} DocType: Purchase Invoice Item,PR Detail,Dados de RC DocType: Sales Order,Fully Billed,Totalmente Faturado +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor 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 +127,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) @@ -3097,8 +3108,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Montante de Orçamento Tot 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 DocType: Customs Tariff Number,Tariff Number,Número de tarifas +DocType: Production Order Item,Available Qty at WIP Warehouse,Qtd disponível no WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projetado -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},O Nr. de Série {0} não pertence ao Armazém {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},O Nr. de Série {0} não pertence ao Armazém {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,Nota : O sistema não irá verificar o excesso de entrega e de reservas do Item {0} pois a quantidade ou montante é 0 DocType: Notification Control,Quotation Message,Mensagem de Cotação DocType: Employee Loan,Employee Loan Application,Pedido de empréstimo a funcionário @@ -3117,13 +3129,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montante do Voucher de Custo de Entrega apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Contas criadas por Fornecedores. DocType: POS Profile,Write Off Account,Liquidar Conta -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota de débito Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Nota de débito Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Montante do Desconto DocType: Purchase Invoice,Return Against Purchase Invoice,Devolver Na Fatura de Compra 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 +207,e.g. VAT,ex: IVA +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3131,7 +3143,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 +1945,Please select customer,"Por favor, selecione o cliente" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3160,7 +3172,7 @@ DocType: Lead,Address Desc,Descrição de Endereço apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,É obrigatório colocar a parte DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Nome do Tópico -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Deverá ser selecionado pelo menos um dos Vendedores ou Compradores +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Deverá ser selecionado pelo menos um dos Vendedores ou Compradores apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Seleccione a natureza do seu negócio. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Linha # {0}: Entrada duplicada em referências {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Sempre que são realizadas operações de fabrico. @@ -3169,7 +3181,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,A Qtd Mín. não pode ser maior do que a Qtd Máx. +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. DocType: Account,Accumulated Depreciation,Depreciação Acumulada DocType: Stock Entry,Customer or Supplier Details,Dados de Cliente ou Fornecedor DocType: Employee Loan Application,Required by Date,Exigido por Data @@ -3198,10 +3210,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Item Fornecid apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,O Nome da Empresa não pode ser a Empresa apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Os Cabeçalhos de Carta para modelos de impressão. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para modelos de impressão, por exemplo, Fatura Proforma." +DocType: Program Enrollment,Walking,Caminhando DocType: Student Guardian,Student Guardian,Responsável do Estudante apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Os encargos do tipo de avaliação não podem ser marcados como Inclusivos DocType: POS Profile,Update Stock,Actualizar Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Uma UNID diferente para os itens levará a um Valor de Peso Líquido (Total) incorreto. Certifique-se de que o Peso Líquido de cada item está na mesma UNID. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Preço na LDM DocType: Asset,Journal Entry for Scrap,Lançamento Contabilístico para Sucata @@ -3255,7 +3267,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar decomposição do imposto apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3274,14 +3285,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Conta Caixa Padrão apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Definidor da Empresa (não Cliente ou Fornecedor). 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 +176,No Students in,Não alunos em +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 +108,Please enter 'Expected Delivery Date',"Por favor, insira a ""Data de Entrega Prevista""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN inválido ou Digite NA para não registrado +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 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,21 +3322,23 @@ DocType: Sales Team,Contribution (%),Contribuição (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Nota: Não será criado nenhum Registo de Pagamento, pois não foi especificado se era a ""Dinheiro ou por Conta Bancária""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilidades DocType: Expense Claim Account,Expense Claim Account,Conta de Reembolso de Despesas +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} via Setup> Configurações> Naming Series DocType: Sales Person,Sales Person Name,Nome de Vendedor/a apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, insira pelo menos 1 fatura na tabela" +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Adicionar Utilizadores DocType: POS Item Group,Item Group,Grupo do Item DocType: Item,Safety Stock,Stock de Segurança apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,A % de Progresso para uma tarefa não pode ser superior a 100. DocType: Stock Reconciliation Item,Before reconciliation,Antes da conciliação apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Para {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e Taxas Adicionados (Moeda da Empresa) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,A linha de Taxa do Item {0} deve ter em conta o tipo de Taxa ou de Rendimento ou de Despesa ou de Cobrança +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,A linha de Taxa do Item {0} deve ter em conta o tipo de Taxa ou de Rendimento ou de Despesa ou de Cobrança DocType: Sales Order,Partly Billed,Parcialmente Faturado apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,O Item {0} deve ser um Item de Ativo Imobilizado DocType: Item,Default BOM,LDM Padrão -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Valor da nota de débito +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Valor da nota de débito apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Por favor, reescreva o nome da empresa para confirmar" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Qtd Total Em Falta +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Qtd Total Em Falta DocType: Journal Entry,Printing Settings,Definições de Impressão DocType: Sales Invoice,Include Payment (POS),Incluir pagamento (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},O débito total deve ser igual ao Total de Crédito. A diferença é {0} @@ -3333,20 +3346,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automóv DocType: Vehicle,Insurance Company,Companhia de Seguros DocType: Asset Category Account,Fixed Asset Account,Conta de Ativos Imobilizados apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variável -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Da Guia de Remessa +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Da Guia de Remessa DocType: Student,Student Email Address,Endereço de Email do Estudante DocType: Timesheet Detail,From Time,Hora De apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Em stock: DocType: Notification Control,Custom Message,Mensagem Personalizada apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banco de Investimentos apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,É obrigatório colocar o Dinheiro ou a Conta Bancária para efetuar um registo de pagamento -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Por favor, configure as séries de numeração para Atendimento por meio da Configuração> Série de numeração" apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Endereço do estudante apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Endereço do estudante 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 +1517,Address Name,Nome endereço +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3363,7 +3375,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3371,7 +3383,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,O valor introduzido deve ser positivo +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3380,7 +3392,7 @@ DocType: Process Payroll,Process Payroll,Processamento de Salários apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Há mais feriados do que dias úteis neste mês. DocType: Product Bundle Item,Product Bundle Item,Item de Pacote de Produtos DocType: Sales Partner,Sales Partner Name,Nome de Parceiro de Vendas -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Solicitação de Cotações +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Solicitação de Cotações DocType: Payment Reconciliation,Maximum Invoice Amount,Montante de Fatura Máximo DocType: Student Language,Student Language,Student Idioma apps/erpnext/erpnext/config/selling.py +23,Customers,Clientes @@ -3391,7 +3403,7 @@ DocType: Asset,Partially Depreciated,Parcialmente Depreciados DocType: Issue,Opening Time,Tempo de Abertura apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,São necessárias as datas De e A apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Valores Mobiliários e Bolsas de Mercadorias -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação @@ -3410,7 +3422,7 @@ 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 +266,Raw Material,Matéria-prima +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3422,7 +3434,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -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} via Setup> Configurações> Naming Series 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. @@ -3435,8 +3446,8 @@ 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 +347,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 +201,"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 +230,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/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/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 DocType: Journal Entry,Bank Entry,Registo Bancário DocType: Authorization Rule,Applicable To (Designation),Aplicável A (Designação) @@ -3453,7 +3464,7 @@ 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 +270,Hour,Hora +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3463,7 +3474,7 @@ DocType: Item,Default Material Request Type,Tipo de Solicitação de Material Pa 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 +645,Point of Sale,Ponto de Venda +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3480,8 +3491,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 +270,Gram,Gramas -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3506,14 +3517,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 +465,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 +466,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 +834,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 +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 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 @@ -3545,7 +3556,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Estado de Faturação @@ -3593,7 +3604,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Definições para página inicial do website 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 +214,Invalid attribute {0} {1},Atributo inválido {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Selecione o grupo de avaliação diferente de "Todos os grupos de avaliação" @@ -3695,16 +3706,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Componentes Salariais DocType: Program Enrollment Tool,New Academic Year,Novo Ano Letivo apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retorno / Nota de Crédito DocType: Stock Settings,Auto insert Price List rate if missing,Inserir automaticamente o preço na lista de preço se não houver nenhum. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Montante Total Pago +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Montante Total Pago DocType: Production Order Item,Transferred Qty,Qtd Transferida apps/erpnext/erpnext/config/learn.py +11,Navigating,Navegação apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planeamento 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 +272,We sell this Item,Nós vendemos este item +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3752,7 +3765,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 +1186,Please set Company,Defina Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3769,13 +3782,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,Cobrar Taxas DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},O Código de Barras {0} já foi utilizado no Item {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},O Código de Barras {0} já foi utilizado no Item {1} DocType: Lead,Add to calendar on this date,Adicionar ao calendário nesta data apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,As regras para adicionar os custos de envio. DocType: Item,Opening Stock,Stock Inicial apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,É necessário colocar o cliente apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} é obrigatório para Devolver DocType: Purchase Order,To Receive,A Receber +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,utilizador@exemplo.com DocType: Employee,Personal Email,Email Pessoal apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variância Total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se for ativado, o sistema irá postar registos contabilísticos automáticos para o inventário." @@ -3787,7 +3801,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 +541,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 +542,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 @@ -3795,7 +3809,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Fora da Garantia DocType: BOM Replace Tool,Replace,Substituir apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Não foram encontrados produtos. -DocType: Production Order,Unstopped,Desimpedido apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} nas Faturas de Vendas {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Nome do Projeto @@ -3806,6 +3819,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} 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 @@ -3843,9 +3857,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Faixa De apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Erro de sintaxe na fórmula ou condição: {0} 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 +100,Item {0} ignored since it is not a stock item,O Item {0} foi ignorado pois não é um item de stock +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 +40,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 +102,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 @@ -3853,12 +3867,14 @@ 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 +209,Rate (%),Taxa (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Defina o filtro de empresa em branco se Group By for 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,A Data de Postagem não pode ser uma data futura apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Linha # {0}: O Nr. de Série {1} não corresponde a {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Licença Ocasional @@ -3887,7 +3903,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Registo do Livro de Stock apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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" +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" DocType: Accounts Settings,Accounts Settings,Definições de Contas apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Aprovar DocType: Customer,Sales Partner and Commission,Parceiro e Comissão de Vendas @@ -3902,7 +3918,7 @@ 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 +62,{0} items produced,{0} itens produzidos +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3916,7 +3932,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação de Despesa 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} DocType: Journal Entry Account,Exchange Rate,Valor de Câmbio -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,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 +560,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 @@ -3941,18 +3957,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,ordens enviadas não pode ser excluído +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Pagar quantia fixa por Período apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Por favor, insira a quantidade para o Item {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota de crédito Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Nota de crédito Amt DocType: Employee External Work History,Employee External Work History,Historial de Trabalho Externo do Funcionário DocType: Tax Rule,Purchase,Compra apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Qtd de Saldo @@ -3978,7 +3994,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 +2383,Select items to save the invoice,Selecione os itens para guardar a fatura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -4014,6 +4030,7 @@ DocType: Guardian,Guardian Of ,guardião DocType: Grading Scale Interval,Threshold,Limite DocType: BOM Replace Tool,Current BOM,LDM Atual apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Adicionar Nr. de Série +DocType: Production Order Item,Available Qty at Source Warehouse,Qtd disponível no Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,Garantia DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida DocType: Production Order,Warehouses,Armazéns @@ -4029,13 +4046,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Montante Pago apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gestor de Projetos ,Quoted Item Comparison,Comparação de Cotação de Item apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Expedição -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,O máx. de desconto permitido para o item: {0} é de {1}% +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 +279,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 +879,Select Items to Manufacture,Selecione os itens para Fabricação -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo" +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" DocType: Item,Material Issue,Saída de Material DocType: Hub Settings,Seller Description,Descrição do Vendedor DocType: Employee Education,Qualification,Qualificação @@ -4059,7 +4076,7 @@ DocType: POS Profile,Terms and Conditions,Termos e Condições 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 +200,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 +198,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 @@ -4080,7 +4097,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para definir este Ano Fiscal como Padrão, clique em ""Definir como Padrão""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Inscrição apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Qtd de Escassez -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos DocType: Employee Loan,Repay from Salary,Reembolsar a partir de Salário DocType: Leave Application,LAP/,APL/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Solicitando o pagamento contra {0} {1} para montante {2} @@ -4098,18 +4115,18 @@ 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 +1011,It is needed to fetch Item Details.,É preciso buscar os Dados do Item. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,O Nr. de Série {0} já foi recebido +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 ,Requested Items To Be Transferred,Itens Solicitados A Serem Transferidos 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 +1312,Delete permanently?,Eliminar permanentemente? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Inválido {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Inválido {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Licença de Doença DocType: Email Digest,Email Digest,Email de Resumo DocType: Delivery Note,Billing Address Name,Nome do Endereço de Faturação @@ -4122,6 +4139,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Cobrável DocType: Company,Change Abbreviation,Alterar Abreviação DocType: Expense Claim Detail,Expense Date,Data da Despesa +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código do Item> Item Group> Brand DocType: Item,Max Discount (%),Desconto Máx. (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Montante do Último Pedido DocType: Task,Is Milestone,É Milestone @@ -4145,8 +4163,8 @@ DocType: Program Enrollment Tool,New Program,Novo Programa DocType: Item Attribute Value,Attribute Value,Valor do Atributo ,Itemwise Recommended Reorder Level,Nível de Reposição Recomendada por Item DocType: Salary Detail,Salary Detail,Dados Salariais -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Por favor, seleccione primeiro {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,O Lote {0} do Item {1} expirou. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Por favor, seleccione primeiro {0}" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,O Lote {0} do Item {1} expirou. DocType: Sales Invoice,Commission,Comissão apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Folha de Presença de fabrico. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal @@ -4171,12 +4189,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 +399,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 +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/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 +387,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 +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/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 @@ -4206,7 +4224,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Data de Eliminação DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Os emails serão enviados para todos os funcionários ativos da empresa na hora estabelecida, se não estiverem de férias. O resumo das respostas será enviado à meia-noite." DocType: Employee Leave Approver,Employee Leave Approver,Autorizador de Licenças do Funcionário -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Não pode declarar como perdido, porque foi efetuada uma Cotação." 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 @@ -4240,6 +4258,7 @@ DocType: Announcement,Student,Estudante apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Definidor da unidade organizacional (departamento). apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Por favor, insira nrs. de telemóveis válidos" apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Por favor, insira a mensagem antes de enviá-la" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICADO PARA FORNECEDOR DocType: Email Digest,Pending Quotations,Cotações Pendentes apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfil de Ponto de Venda apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Por Favor, Atualize as Definições de SMS" @@ -4248,7 +4267,7 @@ DocType: Cost Center,Cost Center Name,Nome do Centro de Custo DocType: Employee,B+,B+ DocType: HR Settings,Max working hours against Timesheet,Máx. de horas de trabalho no Registo de Horas DocType: Maintenance Schedule Detail,Scheduled Date,Data Prevista -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Qtd Total Paga +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Qtd Total Paga DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,As mensagens maiores do que 160 caracteres vão ser divididas em múltiplas mensagens DocType: Purchase Receipt Item,Received and Accepted,Recebido e Aceite ,GST Itemised Sales Register,Registro de vendas detalhado GST @@ -4258,7 +4277,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 +237,Your Suppliers,Seus Fornecedores +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Não pode deduzir quando a categoria é para ""Estimativa"" ou ""Estimativa e Total""" @@ -4270,7 +4289,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,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} +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. @@ -4285,7 +4304,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,O que faz? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Armazém Para apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas as Admissão de Estudantes ,Average Commission Rate,Taxa de Comissão Média -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Tem um Nr. de Série"" não pode ser ""Sim"" para um item sem gestão de stock" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Tem um Nr. de Série"" não pode ser ""Sim"" para um item sem gestão de stock" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,A presença não pode ser registada em datas futuras DocType: Pricing Rule,Pricing Rule Help,Ajuda da Regra Fixação de Preços DocType: School House,House Name,Nome casa @@ -4301,7 +4320,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 +339,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 +340,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 @@ -4316,20 +4335,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},A Folha de Vencimento do funcionário {0} já foi criada para folha de vencimento {1} DocType: Vehicle Log,Odometer,Conta-km DocType: Sales Order Item,Ordered Qty,Qtd Pedida -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,O Item {0} está desativado +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Gerar Folhas de Vencimento -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","A compra deve ser verificada, se Aplicável Para for selecionado como {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","A compra deve ser verificada, se Aplicável Para for selecionado como {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,O Desconto deve ser inferior a 100 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 +500,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0} -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda" +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher de Custo de Entrega @@ -4392,7 +4411,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,A Data Prevista não pode ser anterior à Data de Solicitação de Materiais DocType: Purchase Invoice Item,Stock Qty,Quantidade de stock DocType: Purchase Invoice Item,Stock Qty,Quantidade de Stock -DocType: Production Order,Source Warehouse (for reserving Items),Origem do Warehouse (para reserva de Itens) DocType: Employee Loan,Repayment Period in Months,Período de reembolso em meses apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erro: Não é uma ID válida? DocType: Naming Series,Update Series Number,Atualização de Número de Série @@ -4441,7 +4459,7 @@ DocType: Production Order,Planned End Date,Data de Término Planeada apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Onde os itens são armazenados. DocType: Request for Quotation,Supplier Detail,Dados de Fornecedor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Erro na fórmula ou condição: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Montante Faturado +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Montante Faturado DocType: Attendance,Attendance,Assiduidade apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Itens de Stock DocType: BOM,Materials,Materiais @@ -4482,10 +4500,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Instalar um website simples para a minha organização +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 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 +650,Please specify Attribute Value for attribute {0},"Por favor, especifique um Valor de Atributo para o atributo {0}" +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}" DocType: Item,Default Warehouse,Armazém Padrão apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},O Orçamento não pode ser atribuído à Conta de Grupo {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Por favor, insira o centro de custos principal" @@ -4545,7 +4563,7 @@ 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 +1344,Select or add new customer,Selecionar ou adicionar novo cliente +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/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 @@ -4553,6 +4571,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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. @@ -4575,7 +4594,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Lista de Preços não encontrada ou desativada +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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""" @@ -4595,7 +4614,7 @@ DocType: POS Profile,Account for Change Amount,Conta para a Mudança de Montante apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: A Parte / Conta não corresponde a {1} / {2} em {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Por favor, insira a Conta de Despesas" DocType: Account,Stock,Stock -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha {0}: O tipo de documento referênciado deve ser uma Ordem de Compra, uma Fatura de Compra ou um Lançamento Contabilístico" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha {0}: O tipo de documento referênciado deve ser uma Ordem de Compra, uma Fatura de Compra ou um Lançamento Contabilístico" DocType: Employee,Current Address,Endereço Atual DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se o item for uma variante doutro item, então, a descrição, a imagem, os preços, as taxas, etc. serão definidos a partir do modelo, a menos que seja explicitamente especificado o contrário" DocType: Serial No,Purchase / Manufacture Details,Dados de Compra / Fabrico @@ -4634,11 +4653,12 @@ DocType: Student,Home Address,Endereço Residencial apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transferência de Ativos DocType: POS Profile,POS Profile,Perfil POS DocType: Training Event,Event Name,Nome do Evento -apps/erpnext/erpnext/config/schools.py +39,Admission,Admissão +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Admissão apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissões para {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","O Item {0} é um modelo, por favor, selecione uma das suas variantes" DocType: Asset,Asset Category,Categoria de Ativo +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Comprador apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,A Remuneração Líquida não pode ser negativa DocType: SMS Settings,Static Parameters,Parâmetros Estáticos DocType: Assessment Plan,Room,Quarto @@ -4647,6 +4667,7 @@ DocType: Item,Item Tax,Imposto do Item apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material para o Fornecedor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território DocType: Expense Claim,Employees Email Id,ID de Email de Funcionários DocType: Employee Attendance Tool,Marked Attendance,Presença Marcada apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passivo a Curto Prazo @@ -4718,6 +4739,7 @@ DocType: Leave Type,Is Carry Forward,É para Continuar apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Resumo de Stock diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv index 1aa34ace88..d54b439b93 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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ă @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Lista de Vacanță -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contabil +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Contabil DocType: Cost Center,Stock User,Stoc de utilizare DocType: Company,Phone No,Nu telefon apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Orarele de curs creat: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nu este permisă {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obține elemente din -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nu au fost găsite articole +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Rapoarte de stoc DocType: Warehouse,Warehouse Detail,Depozit Detaliu apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Limita de credit a fost trecut de client {0} {1} / {2} 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.,Pe termen Data de încheiere nu poate fi mai târziu de Anul Data de încheiere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},De la {0} {1} la DocType: Item,Copy From Item Group,Copiere din Grupul de Articole DocType: Journal Entry,Opening Entry,Deschiderea de intrare -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Contul Plătiți numai DocType: Employee Loan,Repay Over Number of Periods,Rambursa Peste Număr de Perioade DocType: Stock Entry,Additional Costs,Costuri suplimentare @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Imobiliare -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Extras de cont +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 DocType: Purchase Invoice Item,Is Fixed Asset,Este activ fix apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Numele tau este {0}, ai nevoie de {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Consumabile +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Exemplu: matematică de bază +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/config/hr.py +214,Settings for HR Module,Setările pentru modul HR DocType: SMS Center,SMS Center,SMS Center @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Articole și Prețuri apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Numărul total de ore: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},De la data trebuie să fie în anul fiscal. Presupunând că la data = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citate DocType: Customer,Individual,Individual DocType: Interest,Academics User,cadre universitare utilizator DocType: Cheque Print Template,Amount In Figure,Suma în Figura @@ -266,7 +267,7 @@ DocType: Employee,Create User,Creaza utilizator DocType: Selling Settings,Default Territory,Teritoriu Implicit apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televiziune DocType: Production Order Operation,Updated via 'Time Log',"Actualizat prin ""Ora Log""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Suma avans nu poate fi mai mare decât {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Suma avans nu poate fi mai mare decât {0} {1} DocType: Naming Series,Series List for this Transaction,Lista de serie pentru această tranzacție DocType: Company,Enable Perpetual Inventory,Activați inventarul perpetuu DocType: Company,Default Payroll Payable Account,Implicit Salarizare cont de plati @@ -274,7 +275,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 +177,For Warehouse is required before Submit,Pentru Depozit este necesar înainte de Inregistrare +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/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." @@ -282,13 +283,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 +2256,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Nume Persoana de Contact +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Frunze pe an 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 +189,Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1} +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 +270,Litre,Litru +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Intrările bancare apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock reconciliere Articol @@ -316,7 +317,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 +316,People who teach at your organisation,Oameni care predau la organizația dumneavoastră +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,Permite utilizatorului să editeze 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 +699,Item {0} is cancelled,Articolul {0} este anulat +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 +882,Material Request,Cerere de material DocType: Bank Reconciliation,Update Clearance Date,Actualizare Clearance Data DocType: Item,Purchase Details,Detalii de cumpărare @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,Manager de flotă apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} a fost introdus de două ori în taxa articolului +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} a fost introdus de două ori în taxa articolului apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Rezumat pentru această săptămână și a activităților în curs DocType: Student Applicant,Admitted,A recunoscut că DocType: Workstation,Rent Cost,Chirie Cost @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Primit apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Creați Grupurile de studenți apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup deja complet! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Nota de credit Notă +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Nota de credit Notă ,Finished Goods,Produse Finite DocType: Delivery Note,Instructions,Instrucţiuni DocType: Quality Inspection,Inspected By,Inspectat de @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,Creați un nou client +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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/utilities/activation.py +88,Create Purchase Orders,Creare comenzi de aprovizionare ,Purchase Register,Cumpărare Inregistrare DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,7 +475,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate." +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/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 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} selectat de mai multe ori în tabelul Atribute +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribut {0} selectat de mai multe ori în tabelul Atribute DocType: HR Settings,Employee record is created using selected field. ,Inregistrarea angajatului este realizata prin utilizarea campului selectat. DocType: Sales Order,Not Applicable,Nu se aplică apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Maestru de vacanta. @@ -530,7 +532,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 +219,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 +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/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" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Va rugam sa introduceti Depozit pentru care va fi ridicat Material Cerere DocType: Production Order,Additional Operating Cost,Costuri de operare adiţionale apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosmetică -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Pentru a îmbina, următoarele proprietăți trebuie să fie aceeași pentru ambele elemente" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Pentru a îmbina, următoarele proprietăți trebuie să fie aceeași pentru ambele elemente" DocType: Shipping Rule,Net Weight,Greutate netă DocType: Employee,Emergency Phone,Telefon de Urgență apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,A cumpara @@ -555,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%,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 +2428,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 +2522,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 @@ -574,7 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adaugaţi / editaţi taxe și cheltuieli DocType: Purchase Invoice,Supplier Invoice No,Furnizor Factura Nu DocType: Territory,For reference,Pentru referință -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nu se poate șterge de serie nr {0}, așa cum este utilizat în tranzacțiile bursiere" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nu se poate șterge de serie nr {0}, așa cum este utilizat în tranzacțiile bursiere" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),De închidere (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Postul mutare DocType: Serial No,Warranty Period (Days),Perioada de garanție (zile) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vă rugăm să selectați Company și Partidul Tip primul apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,An financiar / contabil. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valorile acumulate -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Realizeaza Comandă de Vânzări DocType: Project Task,Project Task,Proiect Sarcina ,Lead Id,Id Conducere @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Alocaţi apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Vânzări de returnare 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,Notă: Totalul frunzelor alocate {0} nu ar trebui să fie mai mică decât frunzele deja aprobate {1} pentru perioada +,Total Stock Summary,Rezumatul total al stocului DocType: Announcement,Posted By,Postat de DocType: Item,Delivered by Supplier (Drop Ship),Livrate de Furnizor (Drop navelor) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza de date cu clienți potențiali. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza de Date Clien DocType: Quotation,Quotation To,Citat Pentru a DocType: Lead,Middle Income,Venituri medii apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Deschidere (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Unitatea de măsură implicită pentru postul {0} nu poate fi schimbat direct, deoarece aveti si voi deja unele tranzacții (i) cu un alt UOM. Veți avea nevoie pentru a crea un nou element pentru a utiliza un alt implicit UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Unitatea de măsură implicită pentru postul {0} nu poate fi schimbat direct, deoarece aveti si voi deja unele tranzacții (i) cu un alt UOM. Veți avea nevoie pentru a crea un nou element pentru a utiliza un alt implicit UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Suma alocată nu poate fi negativă apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stabiliți compania apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stabiliți compania @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masterat DocType: Assessment Plan,Maximum Assessment Score,Scor maxim de evaluare apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Perioada tranzacție de actualizare Bank apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Urmărirea timpului +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICAT PENTRU TRANSPORTATOR DocType: Fiscal Year Company,Fiscal Year Company,Anul fiscal companie DocType: Packing Slip Item,DN Detail,Detaliu DN DocType: Training Event,Conference,Conferinţă @@ -685,8 +689,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 +320,Timesheet created:,Pontajul creat: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -715,7 +719,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 +139,Finish,finalizarea +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,finalizarea apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Baza DocType: Timesheet,Total Billed Hours,Numărul total de ore facturate DocType: Journal Entry,Write Off Amount,Scrie Off Suma @@ -750,7 +754,7 @@ DocType: Hub Settings,Seller City,Vânzător oraș ,Absent Student Report,Raport de student absent DocType: Email Digest,Next email will be sent on:,E-mail viitor va fi trimis la: DocType: Offer Letter Term,Offer Letter Term,Oferta Scrisoare Termen -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Element are variante. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Element are variante. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Articolul {0} nu a fost găsit DocType: Bin,Stock Value,Valoare stoc apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Firma {0} nu există @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,asiguraţi-Pontaj +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -859,13 +863,13 @@ DocType: Company,Default Cost of Goods Sold Account,Implicit Costul cont bunuri 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 DocType: Request for Quotation Supplier,Send Email,Trimiteți-ne email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Atenție: Attachment invalid {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nici o permisiune +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Atenție: Attachment invalid {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nici o permisiune 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -885,7 +889,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 +274,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizată sau anulată +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/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 @@ -973,14 +977,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} trebuie să fie activ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1} DocType: Purchase Receipt Item Supplied,Required Qty,Necesar Cantitate apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Depozite de tranzacții existente nu pot fi convertite în contabilitate. DocType: Bank Reconciliation,Total Amount,Suma totală @@ -997,7 +1001,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Componente apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vă rugăm să introduceți activ Categorie la postul {0} DocType: Quality Inspection Reading,Reading 6,Reading 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} fără nici o factură negativă restante +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} fără nici o factură negativă restante DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de cumpărare în avans DocType: Hub Settings,Sync Now,Sincronizare acum apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rând {0}: intrare de credit nu poate fi legat de o {1} @@ -1011,12 +1015,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 +731,New Sales Invoice,Noua factură de vânzări +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sincronizare offline Facturile +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1049,10 +1053,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chimic DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default cont bancar / numerar vor fi actualizate automat în Jurnalul de intrare a salariului când este selectat acest mod. DocType: BOM,Raw Material Cost(Company Currency),Brut Costul materialelor (companie Moneda) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Toate articolele acestei comenzi de producție au fost deja transferate. +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 +270,Meter,Metru +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1075,7 +1079,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 +452,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 +453,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 @@ -1083,7 +1087,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 +259,Qty for {0},Cantitate pentru {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1095,9 +1099,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Numerar/Cont Bancar apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vă rugăm să specificați un {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Articole eliminate cu nici o schimbare în cantitate sau de valoare. DocType: Delivery Note,Delivery To,De Livrare la -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabelul atribut este obligatoriu +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Tabelul atribut este obligatoriu DocType: Production Planning Tool,Get Sales Orders,Obține comenzile de vânzări -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nu poate fi negativ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nu poate fi negativ apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Reducere DocType: Asset,Total Number of Depreciations,Număr total de Deprecieri DocType: Sales Invoice Item,Rate With Margin,Rate cu marjă @@ -1134,7 +1138,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 +1546,ZIP Code,Cod postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1153,7 +1157,7 @@ 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 +238,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 +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/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 @@ -1177,7 +1181,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Vă rugăm să setați "Aplicați discount suplimentar pe" +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 DocType: Global Defaults,Global Defaults,Valori Implicite Globale @@ -1185,10 +1189,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 +22,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 +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} 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 +347,Capacity Planning Error,Capacitate de eroare de planificare +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1207,7 +1211,7 @@ DocType: Purchase Invoice,Is Return,Este de returnare apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} numere de serie valabile pentru articolul {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} numere de serie valabile pentru articolul {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Cod articol nu pot fi schimbate pentru Serial No. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} deja creat pentru utilizator: {1} și compania {2} DocType: Sales Invoice Item,UOM Conversion Factor,Factorul de conversie UOM @@ -1217,7 +1221,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 +675,Cost Center For Item with Item Code ',Centrul de cost pentru postul cu codul Postul ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1260,7 +1264,7 @@ 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,Vezi Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postul {0} nu poate avea Lot @@ -1288,7 +1292,7 @@ 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 +288,Example: Masters in Computer Science,Exemplu: Master în Informatică +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1299,7 +1303,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,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 +66,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} \ @@ -1319,14 +1323,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Locul eliberării apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contract DocType: Email Digest,Add Quote,Adaugă Citat -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1} 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 +736,Sync Master Data,Sincronizare Date -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produsele sau serviciile dvs. +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. DocType: Mode of Payment,Mode of Payment,Mod de plata -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate. @@ -1343,14 +1347,13 @@ 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 +562,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Statutul de producție Ordinul este {0} DocType: Appraisal Goal,Goal,Obiectiv DocType: Sales Invoice Item,Edit Description,Edit Descriere ,Team Updates,echipa Actualizări @@ -1366,14 +1369,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit copil pentru acest depozit. Nu puteți șterge acest depozit. DocType: Item,Website Item Groups,Site-ul Articol Grupuri DocType: Purchase Invoice,Total (Company Currency),Total (Company valutar) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori +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 +78,{0} items in progress,{0} elemente în curs +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1432,7 +1435,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1447,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1455,7 +1457,7 @@ DocType: Sales Invoice,Shipping Address Name,Transport Adresa Nume apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Grafic Conturi DocType: Material Request,Terms and Conditions Content,Termeni și condiții de conținut apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nu poate fi mai mare de 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Articolul{0} nu este un element de stoc +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Articolul{0} nu este un element de stoc DocType: Maintenance Visit,Unscheduled,Neprogramat DocType: Employee,Owned,Deținut DocType: Salary Detail,Depends on Leave Without Pay,Depinde de concediu fără plată @@ -1487,7 +1489,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 +273,We buy this Item,Cumparam acest articol +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1498,7 +1500,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 +266,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub Assemblies DocType: Asset,Asset Name,Denumire activ DocType: Project,Task Weight,sarcina Greutate DocType: Shipping Rule Condition,To Value,La valoarea @@ -1531,12 +1533,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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ă -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Categoria activ este obligatorie pentru postul de activ fix +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Categoria activ este obligatorie pentru postul de activ fix apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nu sunt găsite în tabelul de plăți înregistrări apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Acest {0} conflicte cu {1} pentru {2} {3} DocType: Student Attendance Tool,Students HTML,HTML studenții DocType: POS Profile,Apply Discount,Aplicați o reducere -DocType: Purchase Invoice Item,GST HSN Code,Codul GST HSN +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 +283,Packing Slip(s) cancelled,Slip de ambalare (e) anulate @@ -1579,8 +1581,8 @@ 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 +2573,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Cutie +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 +873,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 @@ -1611,7 +1613,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Metoda de rambursare DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Dacă este bifată, pagina de pornire va fi implicit postul Grupului pentru site-ul web" DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM implicit pentru {0} nu a fost găsit pentru Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Cererile pentru cheltuieli companie. 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} @@ -1628,29 +1629,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Sarcina noua apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Face ofertă apps/erpnext/erpnext/config/selling.py +216,Other Reports,alte rapoarte DocType: Dependent Task,Dependent Task,Sarcina dependent -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de Conversie pentru Unitatea de Măsură implicita trebuie să fie 1 pentru inregistrarea {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de Conversie pentru Unitatea de Măsură implicita trebuie să fie 1 pentru inregistrarea {0} 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} DocType: SMS Center,Receiver List,Receptor Lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,căutare articol +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,deja finalizat +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,ID POS utilizator DocType: Account,Account Name,Numele Contului apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,De la data nu poate fi mai mare decât la data -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Furnizor de tip maestru. DocType: Purchase Order Item,Supplier Part Number,Furnizor Număr apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1 @@ -1658,6 +1659,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Dispeceratul vehicul Data +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Implicit cont furnizori apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Setări pentru cosul de cumparaturi on-line, cum ar fi normele de transport maritim, lista de preturi, etc." @@ -1714,7 +1716,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Includ zilele de s DocType: Sales Invoice,Packed Items,Articole pachet apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantie revendicarea împotriva Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Înlocuiți un anumit BOM BOM în toate celelalte unde este folosit. Acesta va înlocui pe link-ul vechi BOM, actualizați costurilor și regenera ""BOM explozie articol"" de masă ca pe noi BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Activați cosul de cumparaturi DocType: Employee,Permanent Address,Permanent Adresa apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1750,6 +1752,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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 @@ -1769,7 +1772,7 @@ DocType: Purchase Invoice,Notification Email Address,Notificarea Adresa de e-mai ,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 +699,Offline,Deconectat +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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ă @@ -1786,7 +1789,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variantă DocType: Naming Series,Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs. DocType: Employee Attendance Tool,Employees HTML,Angajații HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de 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 @@ -1799,7 +1802,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 +175,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 +173,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 @@ -1809,7 +1812,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupul Forței Studenților apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Comparativ intrării {0} în jurnal nu are nici o intrare nepotrivită {1} apps/erpnext/erpnext/config/hr.py +137,Appraisals,Cotatie -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Nr. Serial introdus pentru articolul {0} este duplicat +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" @@ -1818,7 +1821,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} trebuie să fie introdus +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Plată @@ -1837,12 +1840,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Mișcarea activelor -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nou Coș +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1868,7 +1871,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obține elemente din achiziție Încasări DocType: Serial No,Creation Date,Data creării apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Articolul {0} apare de mai multe ori în Lista de Prețuri {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","De vânzare trebuie să fie verificate, dacă este cazul Pentru este selectat ca {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","De vânzare trebuie să fie verificate, dacă este cazul Pentru este selectat ca {0}" DocType: Production Plan Material Request,Material Request Date,Cerere de material Data DocType: Purchase Order Item,Supplier Quotation Item,Furnizor ofertă Articol DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Dezactivează crearea de busteni de timp împotriva comenzi de producție. Operațiunile nu trebuie să fie urmărite împotriva producției Ordine @@ -1885,12 +1888,12 @@ 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 DocType: Budget,Budget,Buget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,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/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 +209,e.g. 5,de exemplu 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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ă. @@ -1899,7 +1902,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,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 +263,A Product or Service,Un Produs sau Serviciu +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1974,7 +1977,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pereche +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pereche apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1993,10 +1996,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Data de încheiere efectivă (prin Ora Sheet) 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 +160,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 +342,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanț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 DocType: Shipping Rule Condition,Shipping Amount,Suma de transport maritim -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Adăugați clienți +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -2013,6 +2016,7 @@ DocType: Journal Entry,Accounts Receivable,Conturi de Incasare ,Supplier-Wise Sales Analytics,Furnizor înțelept Vânzări Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Introdu o sumă plătită DocType: Salary Structure,Select employees for current Salary Structure,Selectați angajați pentru structura curentă a salariului +DocType: Sales Invoice,Company Address Name,Numele companiei DocType: Production Order,Use Multi-Level BOM,Utilizarea Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Includ intrările împăcat 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)" @@ -2033,7 +2037,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 +269,Unit,Unitate +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2055,7 +2059,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,suma diferenţă @@ -2064,7 +2068,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Clasificarea clienți în funcție de regiune apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Diferența Suma trebuie să fie zero DocType: Project,Gross Margin,Marja Brută -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Va rugam sa introduceti de producție Articol întâi +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 +748,Quotation,Citat @@ -2076,7 +2080,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Client / Adresa principala -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Atenție: certificat SSL invalid pe atașament {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Atenție: certificat SSL invalid pe atașament {0} DocType: Student Admission,Eligibility,Eligibilitate apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Oportunitati de afaceri ajuta să obțineți, adăugați toate contactele și mai mult ca dvs. conduce" DocType: Production Order Operation,Actual Operation Time,Timp efectiv de funcționare @@ -2095,11 +2099,11 @@ DocType: Appraisal,Calculate Total Score,Calculaţi scor total DocType: Request for Quotation,Manufacturing Manager,Manufacturing Manager de apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Împărțit de livrare Notă în pachete. -apps/erpnext/erpnext/hooks.py +87,Shipments,Transporturile +apps/erpnext/erpnext/hooks.py +94,Shipments,Transporturile DocType: Payment Entry,Total Allocated Amount (Company Currency),Suma totală alocată (Companie Moneda) DocType: Purchase Order Item,To be delivered to customer,Pentru a fi livrat clientului DocType: BOM,Scrap Material Cost,Cost resturi de materiale -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial nr {0} nu apartine nici unei Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial nr {0} nu apartine nici unei Warehouse DocType: Purchase Invoice,In Words (Company Currency),În cuvinte (Compania valutar) DocType: Asset,Supplier,Furnizor DocType: C-Form,Quarter,Trimestru @@ -2113,11 +2117,10 @@ DocType: Employee Loan,Employee Loan Account,Contul de împrumut Angajat DocType: Leave Application,Total Leave Days,Total de zile de concediu DocType: Email Digest,Note: Email will not be sent to disabled users,Notă: Adresa de email nu va fi trimis la utilizatorii cu handicap apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numărul interacțiunii -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codul elementului> Grupa de articole> Brand 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 +408,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2161,7 +2164,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Detaliu Revendicare Cheltuieli -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vă rugăm să selectați contul corect +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE PENTRU FURNIZOR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Vă rugăm să selectați contul corect DocType: Item,Weight UOM,Greutate UOM DocType: Salary Structure Employee,Salary Structure Employee,Structura de salarizare Angajat DocType: Employee,Blood Group,Grupă de sânge @@ -2183,7 +2187,7 @@ DocType: Student,Guardians,tutorii 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 +336,Debit To is required,Pentru debit este necesar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2196,7 +2200,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Neremunerat total DocType: BOM Website Operation,BOM Website Operation,Site-ul BOM Funcționare apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Oferta Scrisoare apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Genereaza Cereri de Material (MRP) și Comenzi de Producție. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Totală facturată Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Totală facturată Amt DocType: BOM,Conversion Rate,Rata de conversie apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cauta produse DocType: Timesheet Detail,To Time,La timp @@ -2211,7 +2215,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Eveniment de formare Angajat -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numere de serie necesare pentru postul {1}. Ați furnizat {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numere de serie necesare pentru postul {1}. Ați furnizat {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Rata de evaluare curentă DocType: Item,Customer Item Codes,Coduri client Postul apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Schimb de câștig / Pierdere @@ -2259,7 +2263,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 +2454,Select Batch No,Selectați numărul lotului +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2283,19 +2287,19 @@ DocType: Leave Block List,Allow Users,Permiteți utilizatori DocType: Purchase Order,Customer Mobile No,Client Mobile Nu DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Urmăriți Venituri separat și cheltuieli verticale produse sau divizii. DocType: Rename Tool,Rename Tool,Redenumirea Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualizare Cost +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 +438,Show Salary Slip,Afișează Salariu alunecare apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Vă rugăm să setați recurente după salvare -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,cont Selectați suma schimbare +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Adăugaţi Taxe +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2306,6 +2310,7 @@ DocType: Stock Entry,Purchase Receipt No,Primirea de cumpărare Nu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Banii cei mai castigati DocType: Process Payroll,Create Salary Slip,Crea Fluturasul de Salariul apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trasabilitatea +DocType: Purchase Invoice Item,HSN/SAC Code,Codul HSN / SAC 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 @@ -2335,7 +2340,7 @@ DocType: Employee Education,Post Graduate,Postuniversitar DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalii Program Mentenanta DocType: Quality Inspection Reading,Reading 9,Lectură 9 DocType: Supplier,Is Frozen,Este înghețat -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,depozit nod grup nu este permis să selecteze pentru tranzacții +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,depozit nod grup nu este permis să selecteze pentru tranzacții DocType: Buying Settings,Buying Settings,Configurări cumparare DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Nr. BOM pentru un articol tip produs finalizat DocType: Upload Attendance,Attendance To Date,Prezenţa până la data @@ -2350,13 +2355,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Va rugam sa introduceti planificate Cantitate pentru postul {0} la rândul {1} @@ -2378,7 +2383,7 @@ DocType: Authorization Rule,Authorized Value,Valoarea autorizată DocType: BOM,Show Operations,Afișați Operații ,Minutes to First Response for Opportunity,Minute la First Response pentru oportunitate apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Raport Absent -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Articolul sau Depozitul aferent inregistrariii {0} nu se potrivește cu Cererea de Material +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Articolul sau Depozitul aferent inregistrariii {0} nu se potrivește cu Cererea de Material apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unitate de măsură DocType: Fiscal Year,Year End Date,Anul Data de încheiere DocType: Task Depends On,Task Depends On,Sarcina Depinde @@ -2469,7 +2474,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 +106,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 +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/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 @@ -2567,9 +2572,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Re +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Re DocType: Budget,Cost Center,Centrul de cost apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Purchase Order Mesaj @@ -2585,7 +2590,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 +1165,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 +1086,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 +773,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 @@ -2604,7 +2609,7 @@ DocType: Project,Task Completion,sarcina Finalizarea apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nu este în stoc DocType: Appraisal,HR User,Utilizator HR DocType: Purchase Invoice,Taxes and Charges Deducted,Impozite și Taxe dedus -apps/erpnext/erpnext/hooks.py +116,Issues,Probleme +apps/erpnext/erpnext/hooks.py +124,Issues,Probleme apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Statusul trebuie să fie unul din {0} DocType: Sales Invoice,Debit To,Debit Pentru DocType: Delivery Note,Required only for sample item.,Necesar numai pentru element de probă. @@ -2633,6 +2638,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Teritoriu apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Vă rugăm să menționați nici de vizite necesare DocType: Stock Settings,Default Valuation Method,Metoda de Evaluare Implicită +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,taxă DocType: Vehicle Log,Fuel Qty,combustibil Cantitate DocType: Production Order Operation,Planned Start Time,Planificate Ora de începere DocType: Course,Assessment,Evaluare @@ -2642,12 +2648,12 @@ 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 +149,Quotation {0} is cancelled,Citat {0} este anulat -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total Suma Impresionant +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Toate tranzacțiile de vânzări pot fi etichetate comparativ mai multor **Persoane de vânzări** pentru ca dvs. sa puteţi configura și monitoriza obiective. ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Vă rugăm să creați client de plumb {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Vă rugăm să creați client de plumb {0} DocType: Price List,Applicable for Countries,Aplicabile pentru țările apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Lăsați numai aplicațiile cu statut „Aprobat“ și „Respins“ pot fi depuse apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Grupul studențesc Nume este obligatoriu în rândul {0} @@ -2697,6 +2703,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/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 @@ -2739,8 +2746,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Transfer de materii pentr 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.,Procentul de reducere se poate aplica fie pe o listă de prețuri sau pentru toate lista de prețuri. DocType: Purchase Invoice,Half-yearly,Semestrial apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Intrare contabilitate pentru stoc +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ați evaluat deja criteriile de evaluare {}. DocType: Vehicle Service,Engine Oil,Ulei de motor -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: Sales Invoice,Sales Team1,Vânzări TEAM1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Articolul {0} nu există DocType: Sales Invoice,Customer Address,Adresă clientului @@ -2768,7 +2775,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f 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 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Produse Alimentare, Bauturi si Tutun" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Poate face doar plata împotriva facturată {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Poate face doar plata împotriva facturată {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare decat 100 DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Va rugam sa introduceti {0} primul @@ -2796,7 +2803,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Elev foaia de prezență lunară apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Angajatul {0} a aplicat deja pentru {1} între {2} și {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data de începere a proiectului -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Până la +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Până la DocType: Rename Tool,Rename Log,Redenumi Conectare apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupul de studenți sau programul de cursuri este obligatoriu apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupul de studenți sau programul de cursuri este obligatoriu @@ -2821,7 +2828,7 @@ DocType: Purchase Order Item,Returned Qty,Întors Cantitate DocType: Employee,Exit,Iesire apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Rădăcină de tip este obligatorie DocType: BOM,Total Cost(Company Currency),Cost total (companie Moneda) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial Nu {0} a creat +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial Nu {0} a creat DocType: Homepage,Company Description for website homepage,Descriere companie pentru pagina de start site DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pentru comoditatea clienților, aceste coduri pot fi utilizate în formate de imprimare cum ar fi Facturi și Note de Livrare" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Nume furnizo @@ -2842,7 +2849,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Orarele curs de șters: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Busteni pentru menținerea statutului de livrare sms DocType: Accounts Settings,Make Payment via Journal Entry,Efectuați o plată prin Jurnalul de intrare -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,imprimat pe +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,imprimat pe DocType: Item,Inspection Required before Delivery,Necesar de inspecție înainte de livrare DocType: Item,Inspection Required before Purchase,Necesar de inspecție înainte de achiziționare apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Activități în curs @@ -2874,9 +2881,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Instrumentu apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limita Traversat apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de Risc 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.,Un termen academic cu acest "An universitar" {0} și "Numele Termenul" {1} există deja. Vă rugăm să modificați aceste intrări și încercați din nou. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Deoarece există tranzacții existente la postul {0}, nu puteți modifica valoarea {1}" +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}","Deoarece există tranzacții existente la postul {0}, nu puteți modifica valoarea {1}" DocType: UOM,Must be Whole Number,Trebuie să fie Număr întreg DocType: Leave Control Panel,New Leaves Allocated (In Days),Cereri noi de concediu alocate (în zile) +DocType: Sales Invoice,Invoice Copy,Copie factură apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial Nu {0} nu există DocType: Sales Invoice Item,Customer Warehouse (Optional),Depozit de client (opțional) DocType: Pricing Rule,Discount Percentage,Procentul de Reducere @@ -2922,8 +2930,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto închidere Problem 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 +305,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ă DocType: Stock Settings,Freeze Stock Entries,Blocheaza Intrarile in Stoc +DocType: Program Enrollment,Boarding Student,Student de internare DocType: Asset,Expected Value After Useful Life,Valoarea așteptată după viață utilă DocType: Item,Reorder level based on Warehouse,Nivel reordona pe baza Warehouse DocType: Activity Cost,Billing Rate,Rata de facturare @@ -2950,11 +2960,11 @@ DocType: Serial No,Warranty / AMC Details,Garanție / AMC Detalii apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selectați manual elevii pentru grupul bazat pe activități DocType: Journal Entry,User Remark,Observație utilizator DocType: Lead,Market Segment,Segmentul de piață -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Suma plătită nu poate fi mai mare decât suma totală negativă restante {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Suma plătită nu poate fi mai mare decât suma totală negativă restante {0} DocType: Employee Internal Work History,Employee Internal Work History,Istoric Intern Locuri de Munca Angajat apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),De închidere (Dr) DocType: Cheque Print Template,Cheque Size,Dimensiune cecului -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial Nu {0} nu este în stoc +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial Nu {0} nu este în stoc apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare. DocType: Sales Invoice,Write Off Outstanding Amount,Scrie Off remarcabile Suma apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Contul {0} nu se potrivește cu Compania {1} @@ -2979,7 +2989,7 @@ 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 +348,Add a few sample records,Adaugă câteva înregistrări eșantion +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2993,17 +3003,17 @@ 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},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 +418,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1} +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} 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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serial și Lot nr DocType: Warranty Claim,From Company,De la Compania -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma Scorurile de criterii de evaluare trebuie să fie {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Suma Scorurile de criterii de evaluare trebuie să fie {0}. 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 +270,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3024,7 +3034,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Descoperire cont bancar apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Realizeaza Fluturas de Salar apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rândul # {0}: Suma alocată nu poate fi mai mare decât suma rămasă. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Navigare BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Navigare BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Împrumuturi garantate DocType: Purchase Invoice,Edit Posting Date and Time,Editare postare Data și ora apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vă rugăm să setați Conturi aferente amortizării în categoria activelor {0} sau companie {1} @@ -3040,7 +3050,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 +278,Select Quantity,Selectați Cantitate +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3063,6 +3073,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nu este permis să actualizeze tranzacțiile bursiere mai vechi de {0} DocType: Purchase Invoice Item,PR Detail,PR Detaliu DocType: Sales Order,Fully Billed,Complet Taxat +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizor> Tipul furnizorului 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 +127,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)" @@ -3101,8 +3112,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Suma totală Costing (prin 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 DocType: Customs Tariff Number,Tariff Number,Tarif Număr +DocType: Production Order Item,Available Qty at WIP Warehouse,Cantitate disponibilă la WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Proiectat -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {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,"Notă: Sistemul nu va verifica peste, livrare și supra-rezervări pentru postul {0} ca și cantitatea sau valoarea este 0" DocType: Notification Control,Quotation Message,Citat Mesaj DocType: Employee Loan,Employee Loan Application,Cererea de împrumut Angajat @@ -3121,13 +3133,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Costul Landed Voucher Suma apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Facturi cu valoarea ridicată de către furnizori. DocType: POS Profile,Write Off Account,Scrie Off cont -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota de debit Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Nota de debit Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Reducere Suma DocType: Purchase Invoice,Return Against Purchase Invoice,Reveni Împotriva cumparare factură 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 +207,e.g. VAT,"de exemplu, TVA" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3135,7 +3147,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 +1945,Please select customer,Vă rugăm să selectați Clienți +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3164,7 +3176,7 @@ DocType: Lead,Address Desc,Adresă Desc apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party este obligatorie DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Nume subiect -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Cel puţin una din opţiunile de vânzare sau cumpărare trebuie să fie selectată +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Cel puţin una din opţiunile de vânzare sau cumpărare trebuie să fie selectată apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selectați natura afacerii dumneavoastră. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rândul # {0}: intrarea duplicat în referințe {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,În cazul în care operațiunile de fabricație sunt efectuate. @@ -3173,7 +3185,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate +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 DocType: Account,Accumulated Depreciation,Amortizarea cumulată DocType: Stock Entry,Customer or Supplier Details,Client sau furnizor Detalii DocType: Employee Loan Application,Required by Date,Necesar de către Data @@ -3202,10 +3214,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Comandă de a apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Numele companiei nu poate fi companie apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Antete de Scrisoare de Sabloane de Imprimare. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Titluri de șabloane de imprimare, de exemplu proforma Factura." +DocType: Program Enrollment,Walking,mers DocType: Student Guardian,Student Guardian,student la Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Taxele de tip evaluare nu poate marcate ca Inclusive DocType: POS Profile,Update Stock,Actualizare stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizor> Tipul furnizorului apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Un UOM diferit pentru articole va conduce la o valoare incorecta pentru Greutate Neta (Total). Asigurați-vă că Greutatea Netă a fiecărui articol este în același UOM. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Rată BOM DocType: Asset,Journal Entry for Scrap,Jurnal de intrare pentru deseuri @@ -3259,7 +3271,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Arată impozit break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3279,14 +3290,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Cont de Numerar Implicit apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Directorul Companiei(nu al Clientului sau al Furnizorui). 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 +176,No Students in,Nu există studenți în +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 +108,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 +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN nevalid sau Enter NA pentru neînregistrat +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3327,23 @@ DocType: Sales Team,Contribution (%),Contribuție (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Notă: Plata de intrare nu va fi creat deoarece ""Cash sau cont bancar"" nu a fost specificat" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilitati DocType: Expense Claim Account,Expense Claim Account,Cont de cheltuieli de revendicare +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: Sales Person,Sales Person Name,Sales Person Nume apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Adauga utilizatori DocType: POS Item Group,Item Group,Grup Articol DocType: Item,Safety Stock,Stoc de siguranta apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progres% pentru o sarcină care nu poate fi mai mare de 100. DocType: Stock Reconciliation Item,Before reconciliation,Premergător reconcilierii apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Pentru a {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Taxa Articol pentru inregistrarea {0} trebuie sa detina un cont de tip Fiscal sau De Venituri sau De Cheltuieli sau Taxabil +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Taxa Articol pentru inregistrarea {0} trebuie sa detina un cont de tip Fiscal sau De Venituri sau De Cheltuieli sau Taxabil DocType: Sales Order,Partly Billed,Parțial Taxat apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Postul {0} trebuie să fie un element activ fix DocType: Item,Default BOM,FDM Implicit -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debit Notă Sumă +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debit Notă Sumă apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vă rugăm să re-tip numele companiei pentru a confirma -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totală restantă Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totală restantă Amt DocType: Journal Entry,Printing Settings,Setări de imprimare DocType: Sales Invoice,Include Payment (POS),Include de plată (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Totală de debit trebuie să fie egal cu total Credit. Diferența este {0} @@ -3338,20 +3351,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Autoprop DocType: Vehicle,Insurance Company,Companie de asigurari DocType: Asset Category Account,Fixed Asset Account,Cont activ fix apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabil -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Din Nota de Livrare +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Din Nota de Livrare DocType: Student,Student Email Address,Adresa de e-mail Student DocType: Timesheet Detail,From Time,Din Time apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,In stoc: DocType: Notification Control,Custom Message,Mesaj Personalizat apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Pentru a face o inregistrare de plată este obligatoriu numerar sau cont bancar -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa studenților apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa studenților 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 +1517,Address Name,Numele adresei +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3368,7 +3380,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3376,7 +3388,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3385,7 +3397,7 @@ DocType: Process Payroll,Process Payroll,Salarizare proces apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Există mai multe sărbători decât de zile de lucru în această lună. DocType: Product Bundle Item,Product Bundle Item,Produs Bundle Postul DocType: Sales Partner,Sales Partner Name,Numele Partner Sales -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Cerere de Cotațiile +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Cerere de Cotațiile DocType: Payment Reconciliation,Maximum Invoice Amount,Factură maxim Suma DocType: Student Language,Student Language,Limba Student apps/erpnext/erpnext/config/selling.py +23,Customers,clienţii care @@ -3396,7 +3408,7 @@ DocType: Asset,Partially Depreciated,parțial Depreciata DocType: Issue,Opening Time,Timp de deschidere apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Datele De La și Pana La necesare apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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} " +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 +847,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea @@ -3415,7 +3427,7 @@ 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 +266,Raw Material,Material brut +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3427,7 +3439,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Deschiderea Data ar trebui să fie, înainte de Data inchiderii" -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: 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. @@ -3440,8 +3451,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0} +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/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 DocType: Journal Entry,Bank Entry,Intrare bancară DocType: Authorization Rule,Applicable To (Designation),Aplicabil pentru (destinaţie) @@ -3458,7 +3469,7 @@ 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 +270,Hour,Oră +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3468,7 +3479,7 @@ 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 +645,Point of Sale,Point of Sale +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3485,8 +3496,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3512,14 +3523,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 +465,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 +466,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 +834,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 +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 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 @@ -3551,7 +3562,7 @@ 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 +436,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Stat de facturare @@ -3599,7 +3610,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Setările pentru pagina de start site-ul web 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 +214,Invalid attribute {0} {1},atribut nevalid {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Selectați alt grup de evaluare decât "Toate grupurile de evaluare" @@ -3701,16 +3712,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Componente salariale DocType: Program Enrollment Tool,New Academic Year,Anul universitar nou apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Revenire / credit Notă DocType: Stock Settings,Auto insert Price List rate if missing,"Inserați Auto rata Lista de prețuri, dacă lipsește" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Total Suma plătită +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Total Suma plătită DocType: Production Order Item,Transferred Qty,Transferat Cantitate apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigarea apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planificare 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 +272,We sell this Item,Vindem acest articol +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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ă 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 @@ -3758,7 +3771,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 +1186,Please set Company,Stabiliți compania +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3775,13 +3788,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,Colectarea taxelor DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Cod de bare {0} deja folosit pentru articolul {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Cod de bare {0} deja folosit pentru articolul {1} DocType: Lead,Add to calendar on this date,Adăugaţi în calendar la această dată apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim. DocType: Item,Opening Stock,deschidere stoc apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Clientul este necesar apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} este obligatorie pentru returnare DocType: Purchase Order,To Receive,A Primi +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personal de e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Raport Variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar." @@ -3793,7 +3807,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 +541,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 +542,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 @@ -3801,7 +3815,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Ieșit din garanție DocType: BOM Replace Tool,Replace,Înlocuirea apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nu găsiți produse. -DocType: Production Order,Unstopped,destupate apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} comparativ cu factura de vânzări {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Denumirea proiectului @@ -3812,6 +3825,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} 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 @@ -3849,9 +3863,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Din gama apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Eroare de sintaxă în formulă sau stare: {0} 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 +100,Item {0} ignored since it is not a stock item,"Element {0} ignorat, deoarece nu este un element de stoc" +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 +40,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 +102,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 @@ -3859,12 +3873,14 @@ 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 +209,Rate (%),Rate (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Filtru filtru de companie gol dacă grupul de grup este "companie" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Dată postare nu poate fi data viitoare apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nu se potrivește cu {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Concediu Aleator @@ -3893,7 +3909,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stoc Ledger intrare apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Setări Conturi apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Aproba DocType: Customer,Sales Partner and Commission,Partener de vânzări și a Comisiei @@ -3908,7 +3924,7 @@ 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 +62,{0} items produced,{0} articole produse +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3922,7 +3938,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Revendicarea Total cheltui 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} DocType: Journal Entry Account,Exchange Rate,Rata de schimb -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,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 +560,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 @@ -3947,18 +3963,18 @@ 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 +705,Online,Pe net +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Rambursa Suma fixă pentru fiecare perioadă apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Va rugam sa introduceti cantitatea pentru postul {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota de credit Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Nota de credit Amt DocType: Employee External Work History,Employee External Work History,Istoric Extern Locuri de Munca Angajat DocType: Tax Rule,Purchase,Cumpărarea apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Cantitate de bilanţ @@ -3984,7 +4000,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 +2383,Select items to save the invoice,Selectați elemente pentru a salva factura +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -4013,6 +4029,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,Prag DocType: BOM Replace Tool,Current BOM,FDM curent apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Adăugaţi Nr. de Serie +DocType: Production Order Item,Available Qty at Source Warehouse,Cantitate disponibilă la Warehouse sursă apps/erpnext/erpnext/config/support.py +22,Warranty,garanţie DocType: Purchase Invoice,Debit Note Issued,Debit Notă Eliberat DocType: Production Order,Warehouses,Depozite @@ -4028,13 +4045,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Sumă plătit apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Manager de Proiect ,Quoted Item Comparison,Compararea Articol citat apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Expediere -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Discount maxim permis pentru articol: {0} este {1}% +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 +279,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 +879,Select Items to Manufacture,Selectați elementele de Fabricare -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp" +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" DocType: Item,Material Issue,Problema de material DocType: Hub Settings,Seller Description,Descriere vânzător DocType: Employee Education,Qualification,Calificare @@ -4058,7 +4075,7 @@ DocType: POS Profile,Terms and Conditions,Termeni şi condiţii 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 +200,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 +198,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 @@ -4079,7 +4096,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Pentru a seta acest an fiscal ca implicit, faceți clic pe ""Set as Default""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,A adera apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Lipsă Cantitate -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute DocType: Employee Loan,Repay from Salary,Rambursa din salariu DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Solicitarea de plată contra {0} {1} pentru suma {2} @@ -4097,18 +4114,18 @@ 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 +1011,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serial Nu {0} a fost deja primit +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 ,Requested Items To Be Transferred,Elemente solicitate să fie transferată 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 +1312,Delete permanently?,Șterge definitiv? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Invalid {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,A concediului medical DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Numele din adresa de facturare @@ -4121,6 +4138,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Taxabil/a DocType: Company,Change Abbreviation,Schimbarea abreviere DocType: Expense Claim Detail,Expense Date,Data cheltuieli +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codul elementului> Grupa de articole> Brand DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Ultima cantitate DocType: Task,Is Milestone,Este Milestone @@ -4145,8 +4163,8 @@ DocType: Program Enrollment Tool,New Program,programul nou DocType: Item Attribute Value,Attribute Value,Valoare Atribut ,Itemwise Recommended Reorder Level,Nivel de Reordonare Recomandat al Articolului-Awesome DocType: Salary Detail,Salary Detail,Detalii salariu -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vă rugăm selectați 0} {întâi -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lot {0} din {1} Postul a expirat. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Vă rugăm selectați 0} {întâi +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Lot {0} din {1} Postul a expirat. DocType: Sales Invoice,Commission,Comision apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Fișa de timp pentru fabricație. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,subtotală @@ -4171,12 +4189,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 +399,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 +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/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 +387,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 +382,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 @@ -4206,7 +4224,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,eliminare Data DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mailuri vor fi trimise tuturor angajaților activi ai companiei la ora dat, în cazul în care nu au vacanță. Rezumatul răspunsurilor vor fi trimise la miezul nopții." DocType: Employee Leave Approver,Employee Leave Approver,Aprobator Concediu Angajat -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nu se poate declara pierdut, pentru că Oferta a fost realizata." 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 @@ -4240,6 +4258,7 @@ DocType: Announcement,Student,Student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Unitate de organizare (departament) maestru. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Va rugam sa introduceti nos mobile valabile apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE PENTRU FURNIZOR DocType: Email Digest,Pending Quotations,în așteptare Cotațiile apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Punctul de vânzare profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Vă rugăm să actualizați Setări SMS @@ -4248,7 +4267,7 @@ DocType: Cost Center,Cost Center Name,Nume Centrul de Cost DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max ore de lucru împotriva Pontaj DocType: Maintenance Schedule Detail,Scheduled Date,Data programată -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total plătit Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total plătit Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesaje mai mari de 160 de caractere vor fi împărțite în mai multe mesaje DocType: Purchase Receipt Item,Received and Accepted,Primite și acceptate ,GST Itemised Sales Register,Registrul de vânzări detaliat GST @@ -4258,7 +4277,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 +237,Your Suppliers,Furnizorii dumneavoastră +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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" @@ -4270,7 +4289,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","Î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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Site-ul Image {0} atașat la postul {1} nu poate fi găsit +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.\ @@ -4285,7 +4304,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ce face? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Pentru Warehouse apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Toate Admitere Student ,Average Commission Rate,Rată de comision medie -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Are numãr de serie' nu poate fi 'Da' pentru articolele care nu au stoc +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Are numãr de serie' nu poate fi 'Da' pentru articolele care nu au stoc apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Prezenţa nu poate fi consemnată pentru date viitoare DocType: Pricing Rule,Pricing Rule Help,Regula de stabilire a prețurilor de ajutor DocType: School House,House Name,Numele casei @@ -4301,7 +4320,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 +339,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 +340,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 @@ -4316,20 +4335,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Salariu de alunecare angajat al {0} deja creat pentru foaie de timp {1} DocType: Vehicle Log,Odometer,Contorul de kilometraj DocType: Sales Order Item,Ordered Qty,Ordonat Cantitate -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Postul {0} este dezactivat +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generează fluturașe de salariu -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Destinat Cumpărării trebuie să fie bifat, dacă Se Aplica Pentru este selectat ca şi {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Destinat Cumpărării trebuie să fie bifat, dacă Se Aplica Pentru este selectat ca şi {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Reducerea trebuie să fie mai mică de 100 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 +500,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Cost Landed @@ -4393,7 +4412,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data Preconizata nu poate fi anterioara Datei Cererii de Materiale DocType: Purchase Invoice Item,Stock Qty,Cota stocului DocType: Purchase Invoice Item,Stock Qty,Cota stocului -DocType: Production Order,Source Warehouse (for reserving Items),Sursa de depozit (pentru rezervarea articole) DocType: Employee Loan,Repayment Period in Months,Rambursarea Perioada în luni apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Eroare: Nu a id valid? DocType: Naming Series,Update Series Number,Actualizare Serii Număr @@ -4441,7 +4459,7 @@ DocType: Production Order,Planned End Date,Planificate Data de încheiere apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,În cazul în care elementele sunt stocate. DocType: Request for Quotation,Supplier Detail,Detalii furnizor apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Eroare în formulă sau o condiție: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Suma facturată +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Suma facturată DocType: Attendance,Attendance,Prezență apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,stoc DocType: BOM,Materials,Materiale @@ -4482,10 +4500,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,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 +350,Setup a simple website for my organization,Configurarea unui site simplu pentru organizația mea +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Vă rugăm să specificați Atribut Valoare pentru atribut {0} +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} DocType: Item,Default Warehouse,Depozit Implicit apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Buget nu pot fi atribuite în Grupa Contul {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte @@ -4546,7 +4564,7 @@ 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 +1344,Select or add new customer,Selectați sau adăugați client nou +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/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 @@ -4554,6 +4572,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,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/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/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 +231,{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. @@ -4576,7 +4595,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,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 +1731,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' @@ -4596,7 +4615,7 @@ DocType: POS Profile,Account for Change Amount,Contul pentru Schimbare Sumă apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rând {0}: Parte / conturi nu se potrivește cu {1} / {2} din {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli DocType: Account,Stock,Stoc -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie unul dintre comandă cumparare, factură sau Jurnal de intrare" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie unul dintre comandă cumparare, factură sau Jurnal de intrare" DocType: Employee,Current Address,Adresa actuală DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Dacă elementul este o variantă de un alt element atunci descriere, imagine, de stabilire a prețurilor, impozite etc vor fi stabilite de șablon dacă nu se specifică în mod explicit" DocType: Serial No,Purchase / Manufacture Details,Detalii de cumpărare / Fabricarea @@ -4635,11 +4654,12 @@ DocType: Student,Home Address,Adresa de acasa apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,activ de transfer DocType: POS Profile,POS Profile,POS Profil DocType: Training Event,Event Name,Numele evenimentului -apps/erpnext/erpnext/config/schools.py +39,Admission,Admitere +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Admitere apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admitere pentru {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Postul {0} este un șablon, vă rugăm să selectați unul dintre variantele sale" DocType: Asset,Asset Category,Categorie activ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Cumpărător apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salariul net nu poate fi negativ DocType: SMS Settings,Static Parameters,Parametrii statice DocType: Assessment Plan,Room,Cameră @@ -4648,6 +4668,7 @@ DocType: Item,Item Tax,Taxa Articol apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material de Furnizor apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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ă +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu DocType: Expense Claim,Employees Email Id,Id Email Angajat DocType: Employee Attendance Tool,Marked Attendance,Participarea marcat apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Raspunderi Curente @@ -4719,6 +4740,7 @@ DocType: Leave Type,Is Carry Forward,Este Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Rezumat de stoc diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv index f45e415db5..4c21a38bb0 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Остановился производственного заказа не может быть отменено, откупоривать сначала отменить" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,Выберите По умолчанию Поставщик @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1} +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 +808,Invoice,Счет DocType: Maintenance Schedule Item,Periodicity,Периодичность apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Финансовый год {0} требуется @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,Работа продолжается apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Пожалуйста, выберите даты" DocType: Employee,Holiday List,Список праздников -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Бухгалтер +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Бухгалтер DocType: Cost Center,Stock User,Фото пользователя DocType: Company,Phone No,Номер телефона apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Расписание курсов создано: @@ -110,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 +269,Kg,кг +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,кг DocType: Student Log,Log,Журнал apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Открытие на работу. DocType: Item Attribute,Increment,Приращение @@ -120,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 +42,Not permitted for {0},Не допускается для {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Получить товары от -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,Не нашли товар +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,Счет продаж товара @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Отчеты по Зап DocType: Warehouse,Warehouse Detail,Склад Подробно apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитный лимит был перейден для клиента {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","Нельзя отменить выбор ""Является основным средством"", поскольку по данному пункту имеется запись по активам" +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/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,Существует клиентов с одноименным названием @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},От {0} до {1} DocType: Item,Copy From Item Group,Скопируйте Из группы товаров DocType: Journal Entry,Opening Entry,Начальная запись -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Счет Оплатить только DocType: Employee Loan,Repay Over Number of Periods,Погашать Over Количество периодов DocType: Stock Entry,Additional Costs,Дополнительные расходы @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижимость -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Выписка по счету +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,Фармацевтика DocType: Purchase Invoice Item,Is Fixed Asset,Фиксирована Asset apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Доступный кол-во: {0}, необходимо {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Потребляемый +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Потянуть Материал запроса типа Производство на основе вышеуказанных критериев @@ -212,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 +143,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,Пример: Элементарная математика +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/config/hr.py +214,Settings for HR Module,Настройки для модуля HR DocType: SMS Center,SMS Center,SMS центр @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Предметы и Цены apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Общее количество часов: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},С даты должно быть в пределах финансового года. Предполагая С даты = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Цитаты DocType: Customer,Individual,Индивидуальная DocType: Interest,Academics User,Академики Пользователь DocType: Cheque Print Template,Amount In Figure,Сумма На рисунке @@ -266,7 +267,7 @@ DocType: Employee,Create User,Создать пользователя DocType: Selling Settings,Default Territory,По умолчанию Территория apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Телевидение DocType: Production Order Operation,Updated via 'Time Log',"Обновлено помощью ""Time Вход""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}" +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}" DocType: Naming Series,Series List for this Transaction,Список Серия для этого сделки DocType: Company,Enable Perpetual Inventory,Включить вечный инвентарь DocType: Company,Default Payroll Payable Account,По умолчанию Payroll оплаты счетов @@ -274,7 +275,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 +177,For Warehouse is required before Submit,Для Склада является обязательным полем для проведения +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +283,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 +2256,"LocalStorage is full , did not save","LocalStorage полон, не спасло" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Имя Контакта +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 Группа клиентов @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения 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 +189,Warehouse {0} does not belong to company {1},Склад {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 +270,Litre,Литр +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Оставьте Заблокированные -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банковские записи apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,За год DocType: Stock Reconciliation Item,Stock Reconciliation Item,Товар с Сверки Запасов @@ -316,7 +317,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 +316,People who teach at your organisation,"Люди, которые преподают в вашей организации" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,Разрешить пользова DocType: Item,Publish in Hub,Опубликовать в Hub DocType: Student Admission,Student Admission,приёму студентов ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Пункт {0} отменяется +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Пункт {0} отменяется apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Заказ материалов DocType: Bank Reconciliation,Update Clearance Date,Обновление просвет Дата DocType: Item,Purchase Details,Покупка Подробности @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,Управляющий флотом apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,Циклическая ссылка Ошибка @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,"Оплата запись была изменена после того, как вытащил его. Пожалуйста, вытащить его снова." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} введен дважды в налог по позиции +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} введен дважды в налог по позиции apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Резюме на этой неделе и в ожидании деятельности DocType: Student Applicant,Admitted,Признался DocType: Workstation,Rent Cost,Стоимость аренды @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Получено apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Создание студенческих групп apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Настройка Уже завершена!! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Сумма кредитной записи +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Сумма кредитной записи ,Finished Goods,Готовая продукция DocType: Delivery Note,Instructions,Инструкции DocType: Quality Inspection,Inspected By,Проверено @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,Создание нового клиента +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте ряд нумерации для участия через Setup> Numbering Series" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Создание заказов на поставку ,Purchase Register,Покупка Становиться на учет DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,7 +475,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы." +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальные настройки для всех производственных процессов. DocType: Accounts Settings,Accounts Frozen Upto,Счета заморожены До DocType: SMS Log,Sent On,Направлено на -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в Таблице Атрибутов +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в Таблице Атрибутов DocType: HR Settings,Employee record is created using selected field. , DocType: Sales Order,Not Applicable,Не применяется apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Мастер отдыха. @@ -530,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,Отобранные ВОМ не для того же пункта DocType: Pricing Rule,Valid Upto,Действительно До DocType: Training Event,Workshop,мастерская -apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","Не можете фильтровать на основе счета, если сгруппированы по Счет" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Пожалуйста, введите Склад для которых Материал Запрос будет поднят" DocType: Production Order,Additional Operating Cost,Дополнительные Эксплуатационные расходы apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Косметика -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов" DocType: Shipping Rule,Net Weight,Вес нетто DocType: Employee,Emergency Phone,В случае чрезвычайных ситуаций apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,купить @@ -555,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%,"Пожалуйста, определите оценку для Threshold 0%" DocType: Sales Order,To Deliver,Для доставки DocType: Purchase Invoice Item,Item,Элемент -apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Серийный ни один элемент не может быть дробным +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,Управление субподряда @@ -574,7 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавить / Изменить Налоги и сборы DocType: Purchase Invoice,Supplier Invoice No,Поставщик Счет № DocType: Territory,For reference,Для справки -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Не удается удалить Серийный номер {0}, так как он используется в операции перемещения по складу." +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Не удается удалить Серийный номер {0}, так как он используется в операции перемещения по складу." apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Закрытие (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Переместить элемент DocType: Serial No,Warranty Period (Days),Гарантийный срок (дней) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Пожалуйста, выберите компании и партийных первого типа" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансовый / отчетный год. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Накопленные значения -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","К сожалению, серийные номера не могут быть объединены" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","К сожалению, серийные номера не могут быть объединены" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Сделать заказ клиента DocType: Project Task,Project Task,Проект Задача ,Lead Id,ID лида @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Выделить apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Возвраты с продаж 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,"Примечание: Суммарное количество выделенных листьев {0} не должно быть меньше, чем уже утвержденных листьев {1} на период" +,Total Stock Summary,Общая статистика запасов DocType: Announcement,Posted By,Сообщение от DocType: Item,Delivered by Supplier (Drop Ship),Поставляется Поставщиком (прямая поставка) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,База данных потенциальных клиентов. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,База данн DocType: Quotation,Quotation To,Цитата Для DocType: Lead,Middle Income,Средний доход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Начальное сальдо (кредит) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"По умолчанию Единица измерения для п {0} не может быть изменен непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Вам нужно будет создать новый пункт для использования другого умолчанию единица измерения." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"По умолчанию Единица измерения для п {0} не может быть изменен непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Вам нужно будет создать новый пункт для использования другого умолчанию единица измерения." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Выделенные сумма не может быть отрицательным apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Укажите компанию apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Укажите компанию @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Мастеры DocType: Assessment Plan,Maximum Assessment Score,Максимальный балл оценки apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Обновление банка транзакций Даты apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Отслеживание времени +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ДУБЛИКАТ ДЛЯ ТРАНСПОРТА DocType: Fiscal Year Company,Fiscal Year Company,Финансовый год компании DocType: Packing Slip Item,DN Detail,DN Деталь DocType: Training Event,Conference,Конференция @@ -685,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 +320,Timesheet created:,Timesheet создано: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,зачислять DocType: GST Settings,GST Settings,Настройки GST DocType: Selling Settings,Customer Naming By,Именование клиентов По @@ -715,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 +139,Finish,Завершить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Завершить apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,База DocType: Timesheet,Total Billed Hours,Всего Оплачиваемые Часы DocType: Journal Entry,Write Off Amount,Списание Количество @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,Продавец Город ,Absent Student Report,Отсутствует Student Report DocType: Email Digest,Next email will be sent on:,Следующее письмо будет отправлено на: DocType: Offer Letter Term,Offer Letter Term,Условие письма с предложением -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Пункт имеет варианты. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Пункт имеет варианты. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} не найден DocType: Bin,Stock Value,Стоимость акций apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компания {0} не существует @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Несколько Цена Правила существует с теми же критериями, пожалуйста разрешить конфликт путем присвоения приоритета. Цена Правила: {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,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями" 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 +48,Make Timesheet,Сделать расписаний +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -859,13 +863,13 @@ 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,Семья Фон DocType: Request for Quotation Supplier,Send Email,Отправить e-mail -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Внимание: Неверный Приложение {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Нет разрешения +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Внимание: Неверный Приложение {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Нет разрешения 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 +269,Nos,кол-во +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} должен быть проведен @@ -885,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}: {доктайп} {DOCNAME} не существует в выше '{доктайп}' таблица -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} уже завершен или отменен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,Начальная Накопленная амортизация @@ -973,14 +977,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} должен быть активным +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} до отмены этого обслуживания визит -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} DocType: Purchase Receipt Item Supplied,Required Qty,Обязательные Кол-во apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Склады с существующей транзакции не могут быть преобразованы в бухгалтерской книге. DocType: Bank Reconciliation,Total Amount,Общая сумма @@ -997,7 +1001,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Компоненты apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Пожалуйста, введите Asset Категория в пункте {0}" DocType: Quality Inspection Reading,Reading 6,Чтение 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Может не {0} {1} {2} без какого-либо отрицательного выдающийся счет-фактура +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Может не {0} {1} {2} без какого-либо отрицательного выдающийся счет-фактура DocType: Purchase Invoice Advance,Purchase Invoice Advance,Счета-фактуры 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} @@ -1011,12 +1015,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 +731,New Sales Invoice,Новый счет-фактуру +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Синхронизация Offline счетов-фактур +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синхронизация Offline счетов-фактур DocType: Payment Request,Paid,Оплачено DocType: Program Fee,Program Fee,Стоимость программы DocType: Salary Slip,Total in words,Всего в словах @@ -1049,10 +1053,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Химический DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"По умолчанию банк / Наличный счет будет автоматически обновляться в Зарплатный Запись в журнале, когда выбран этот режим." DocType: BOM,Raw Material Cost(Company Currency),Стоимость сырья (Компания Валюта) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Все детали уже были переданы для этого производственного заказа. +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 +270,Meter,метр +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,метр DocType: Workstation,Electricity Cost,Стоимость электроэнергии DocType: HR Settings,Don't send Employee Birthday Reminders,Не отправляйте Employee рождения Напоминания DocType: Item,Inspection Criteria,Осмотр Критерии @@ -1075,7 +1079,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 +452,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,Баланс Сумма кредита @@ -1083,7 +1087,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 +259,Qty for {0},Кол-во для {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,Оставьте черных списков Даты @@ -1095,9 +1099,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Наличные / Банковск apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Введите {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Удалены пункты без изменения в количестве или стоимости. DocType: Delivery Note,Delivery To,Доставка Для -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Таблица атрибутов является обязательной +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Таблица атрибутов является обязательной DocType: Production Planning Tool,Get Sales Orders,Получить заказ клиента -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не может быть отрицательным +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не может быть отрицательным apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Скидка DocType: Asset,Total Number of Depreciations,Общее количество отчислений на амортизацию DocType: Sales Invoice Item,Rate With Margin,Оценить с маржой @@ -1134,7 +1138,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 +1546,ZIP Code,Почтовый индекс +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,Создание изображения в дневнике @@ -1152,7 +1156,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,Список несколько ваших поставщиков. Они могут быть организациями или частными лицами. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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,Все ВОМ @@ -1176,7 +1180,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,Дистрибьютор DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корзина Правило Доставка apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',"Пожалуйста, установите "Применить Дополнительная Скидка On '" +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,"С Диапазон должен быть меньше, чем диапазон" DocType: Global Defaults,Global Defaults,Глобальные вводные по умолчанию @@ -1184,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 +22,First 2 digits of GSTIN should match with State number {0},Первые 2 цифры GSTIN должны совпадать с номером государства {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Ошибка Планирования Мощностей +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Ошибка Планирования Мощностей ,Trial Balance for Party,Пробный баланс для партии DocType: Lead,Consultant,Консультант DocType: Salary Slip,Earnings,Прибыль @@ -1206,7 +1210,7 @@ DocType: Purchase Invoice,Is Return,Является Вернуться apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Возврат / дебетовые Примечание DocType: Price List Country,Price List Country,Цены Страна DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} действительные серийные номера для позиции {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} действительные серийные номера для позиции {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Код товара не может быть изменен для серийный номер apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS-профиля {0} уже создана для пользователя: {1} и компания {2} DocType: Sales Invoice Item,UOM Conversion Factor,Коэффициент пересчета единицы измерения @@ -1216,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 +675,Cost Center For Item with Item Code ',Центр Стоимость для элемента данных с Код товара ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть против не-групп" @@ -1258,7 +1262,7 @@ 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,Посмотреть Леджер DocType: Grading Scale,Intervals,Интервалы apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Старейшие -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Пункт {0} не может иметь Batch @@ -1287,7 +1291,7 @@ 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 +288,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук DocType: Purchase Invoice,Rejected Warehouse,Отклонен Склад DocType: GL Entry,Against Voucher,Против ваучером DocType: Item,Default Buying Cost Center,По умолчанию Покупка МВЗ @@ -1298,7 +1302,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1316,14 +1320,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Место выдачи apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Контракт DocType: Email Digest,Add Quote,Добавить Цитата -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1} 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 +736,Sync Master Data,Синхронизация Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ваши продукты или услуги +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,Ваши продукты или услуги DocType: Mode of Payment,Mode of Payment,Способ оплаты -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Это корень группу товаров и не могут быть изменены. @@ -1341,14 +1345,13 @@ 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 +562,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","Цены Правило сначала выбирается на основе ""Применить На"" поле, которое может быть Пункт, Пункт Группа или Марка." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Статус производственного заказа {0} DocType: Appraisal Goal,Goal,Цель DocType: Sales Invoice Item,Edit Description,Редактировать описание ,Team Updates,Команда обновления @@ -1364,14 +1367,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Детский склад существует для этого склада. Вы не можете удалить этот склад. DocType: Item,Website Item Groups,Сайт Группы товаров DocType: Purchase Invoice,Total (Company Currency),Всего (Компания валют) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза +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 +78,{0} items in progress,{0} элементов в обработке +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} не принадлежит к пункту {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,Это число последнего созданного сделки с этим префиксом @@ -1430,7 +1433,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,начальная загрузка 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,7 +1445,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,Журнал соединений. @@ -1453,7 +1455,7 @@ DocType: Sales Invoice,Shipping Address Name,Адрес доставки Имя apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,План счетов DocType: Material Request,Terms and Conditions Content,Условия Содержимое apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,"не может быть больше, чем 100" -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт DocType: Maintenance Visit,Unscheduled,Незапланированный DocType: Employee,Owned,Присвоено DocType: Salary Detail,Depends on Leave Without Pay,Зависит от отпуска без сохранения заработной платы @@ -1485,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 +273,We buy this Item,Мы покупаем эту позицию +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 финансовый год @@ -1496,7 +1498,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 +266,Sub Assemblies,Sub сборки +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub сборки DocType: Asset,Asset Name,Наименование активов DocType: Project,Task Weight,Задача Вес DocType: Shipping Rule Condition,To Value,Произвести оценку @@ -1529,12 +1531,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,Источник 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 +239,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Не записи не найдено в таблице оплаты apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Это {0} конфликты с {1} для {2} {3} DocType: Student Attendance Tool,Students HTML,Студенты HTML DocType: POS Profile,Apply Discount,Применить скидку -DocType: Purchase Invoice Item,GST HSN Code,Код GST HSN +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 +283,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется @@ -1577,8 +1579,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,Transporter Детали -apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,По умолчанию склад требуется для выбранного элемента -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Рамка +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 +873,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,"Список приемщика пуст. Пожалуйста, создайте Список приемщика" @@ -1607,7 +1609,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Способ погашения DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Если этот флажок установлен, главная страница будет по умолчанию Item Group для веб-сайте" DocType: Quality Inspection Reading,Reading 4,Чтение 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},По умолчанию BOM для {0} не найдено для проекта {1} 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} @@ -1624,29 +1625,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Новое за apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Сделать цитаты apps/erpnext/erpnext/config/selling.py +216,Other Reports,Другие отчеты DocType: Dependent Task,Dependent Task,Зависит Задача -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0} +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 дней. 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}" DocType: SMS Center,Receiver List,Список приемщика -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Поиск товара +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Уже закончено +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/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 +263,Quantity must not be more than {0},Количество должно быть не более {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,Имя Учетной Записи apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"С даты не может быть больше, чем к дате" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Мастер типа поставщика. 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 @@ -1654,6 +1655,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Автомобиль Отправка Дата +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Приход закупки {0} не проведен DocType: Company,Default Payable Account,По умолчанию оплачивается аккаунт apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Настройки для онлайн корзины, такие как правилами перевозок, прайс-лист и т.д." @@ -1710,7 +1712,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Включить п DocType: Sales Invoice,Packed Items,Упакованные товары apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гарантия Иск против серийным номером DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Замените особое спецификации и во всех других спецификаций, где он используется. Он заменит старую ссылку спецификации, обновите стоимость и восстановить ""BOM Взрыв предмета"" таблицу на новой спецификации" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"""Итого""" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"""Итого""" DocType: Shopping Cart Settings,Enable Shopping Cart,Включить Корзина DocType: Employee,Permanent Address,Постоянный адрес apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1746,6 +1748,7 @@ DocType: Material Request,Transferred,Переданы DocType: Vehicle,Doors,двери apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Настройка ERPNext завершена! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,7 +1768,7 @@ 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 +699,Offline,Не в сети +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,Заявитель на вакансию @@ -1782,7 +1785,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Основные apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Вариант DocType: Naming Series,Set prefix for numbering series on your transactions,Установить префикс для нумерации серии на ваших сделок DocType: Employee Attendance Tool,Employees HTML,Сотрудники HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,По умолчанию BOM ({0}) должен быть активным для данного элемента или в шаблоне +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,По умолчанию BOM ({0}) должен быть активным для данного элемента или в шаблоне DocType: Employee,Leave Encashed?,Оставьте инкассированы? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Возможность поле От обязательна DocType: Email Digest,Annual Expenses,годовые расходы @@ -1795,7 +1798,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 +175,Work-in-Progress Warehouse is required before Submit,Работа-в-Прогресс Склад требуется перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,Уставный информации и другие общие сведения о вашем Поставщик @@ -1805,7 +1808,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Сила студенческой группы apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Против Запись в журнале {0} не имеет никакого непревзойденную {1} запись apps/erpnext/erpnext/config/hr.py +137,Appraisals,Аттестации -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0} +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}. Чтобы разрешить завышенные счета, пожалуйста, установите в покупке Настройки" @@ -1814,7 +1817,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} должен быть проведен +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Оплата @@ -1833,12 +1836,12 @@ 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 +257,"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 +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, единицу измерения и других свойств при запуске." 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: Asset Movement,Asset Movement,Движение активов -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Новая корзина +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,7 +1867,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Получить товары от покупки расписок DocType: Serial No,Creation Date,Дата создания apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Пункт {0} несколько раз появляется в прайс-лист {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продажа должна быть проверена, если выбран Применимо для как {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продажа должна быть проверена, если выбран Применимо для как {0}" DocType: Production Plan Material Request,Material Request Date,Материал Дата заказа DocType: Purchase Order Item,Supplier Quotation Item,Пункт ценового предложения поставщика DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,"Отключение создание временных журналов против производственных заказов. Операции, не будет отслеживаться в отношении производственного заказа" @@ -1881,12 +1884,12 @@ DocType: Supplier,Supplier of Goods or Services.,Поставщик товаро DocType: Budget,Fiscal Year,Отчетный год DocType: Vehicle Log,Fuel Price,Топливо Цена DocType: Budget,Budget,Бюджет -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Элемент основных средств не может быть элементом запасов. +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 +209,e.g. 5,"например, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,По словам будет виден только вы сохраните Расходная накладная. @@ -1895,7 +1898,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 +263,A Product or Service,Продукт или сервис +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,Текущее значение @@ -1971,7 +1974,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Носите +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Носите apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства DocType: Asset,Depreciation Schedule,Амортизация Расписание apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреса и партнеры торговых партнеров @@ -1990,10 +1993,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},Пункт Группа не упоминается в мастера пункт по пункту {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет +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,Дебету счета должны быть задолженность счет DocType: Shipping Rule Condition,Shipping Amount,Доставка Количество -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Добавить клиентов +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,6 +2013,7 @@ DocType: Journal Entry,Accounts Receivable,Дебиторская задолже ,Supplier-Wise Sales Analytics,Аналитика продаж в разрезе поставщиков apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Введите уплаченной суммы DocType: Salary Structure,Select employees for current Salary Structure,Выбор сотрудников для текущей заработной платы Структура +DocType: Sales Invoice,Company Address Name,Название компании DocType: Production Order,Use Multi-Level BOM,Использование Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Включите примириться Записи DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Родительский курс (оставьте поле пустым, если это не является частью родительского курса)" @@ -2030,7 +2034,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 +269,Unit,Единица +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,"Склад, где вы работаете запас отклоненных элементов" @@ -2052,7 +2056,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа клиента, счет-фактура или продаже журнал Вход" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: От времени и времени является обязательным. DocType: Stock Reconciliation Item,Amount Difference,Сумма разница @@ -2061,7 +2065,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Классификация клиентов по регионам apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разница Сумма должна быть равна нулю DocType: Project,Gross Margin,Валовая прибыль -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Пожалуйста, введите выпуска изделия сначала" +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 +748,Quotation,Расценки @@ -2073,7 +2077,7 @@ 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: Opportunity,Customer / Lead Address,Заказчик / Ведущий Адрес -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Внимание: Неверный сертификат SSL на привязанности {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Внимание: Неверный сертификат SSL на привязанности {0} DocType: Student Admission,Eligibility,приемлемость apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Ведет помочь вам получить бизнес, добавить все ваши контакты и многое другое в ваших потенциальных клиентов" DocType: Production Order Operation,Actual Operation Time,Фактическая Время работы @@ -2092,11 +2096,11 @@ DocType: Appraisal,Calculate Total Score,Рассчитать общую сум DocType: Request for Quotation,Manufacturing Manager,Производство менеджер apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Сплит Delivery Note в пакеты. -apps/erpnext/erpnext/hooks.py +87,Shipments,Поставки +apps/erpnext/erpnext/hooks.py +94,Shipments,Поставки DocType: Payment Entry,Total Allocated Amount (Company Currency),Общая Выделенная сумма (Компания Валюта) DocType: Purchase Order Item,To be delivered to customer,Для поставляться заказчику DocType: BOM,Scrap Material Cost,Лом Материал Стоимость -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Серийный номер {0} не принадлежит ни к одной Склад +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Серийный номер {0} не принадлежит ни к одной Склад DocType: Purchase Invoice,In Words (Company Currency),В Слов (Компания валюте) DocType: Asset,Supplier,Поставщик DocType: C-Form,Quarter,Квартал @@ -2111,11 +2115,10 @@ DocType: Leave Application,Total Leave Days,Всего Оставить дней DocType: Email Digest,Note: Email will not be sent to disabled users,Примечание: E-mail не будет отправлен отключенному пользователю apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Количество взаимодействий apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Количество взаимодействий -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка 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 +408,{0} is mandatory for Item {1},{0} является обязательным для п. {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","Пожалуйста, выберите выделенной суммы, счет-фактура Тип и номер счета-фактуры в по крайней мере одном ряду" @@ -2159,7 +2162,8 @@ 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,Исполнительный директор DocType: Expense Claim Detail,Expense Claim Detail,Детали Авансового Отчета -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Пожалуйста, выберите правильный счет" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,ТРИПЛИКАЦИЯ ДЛЯ ПОСТАВЩИКА +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Пожалуйста, выберите правильный счет" DocType: Item,Weight UOM,Вес Единица измерения DocType: Salary Structure Employee,Salary Structure Employee,Зарплата Структура сотрудников DocType: Employee,Blood Group,Группа крови @@ -2181,7 +2185,7 @@ DocType: Student,Guardians,Опекуны 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 +336,Debit To is required,Дебет требуется +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,Условие предложения @@ -2194,7 +2198,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Общая сум DocType: BOM Website Operation,BOM Website Operation,BOM Операция Сайт apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Письмо с предложением apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Создать запросы Материал (ППМ) и производственных заказов. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Всего в счете-фактуре Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Всего в счете-фактуре Amt DocType: BOM,Conversion Rate,Коэффициент конверсии apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Поиск продукта DocType: Timesheet Detail,To Time,Чтобы время @@ -2209,7 +2213,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Обучение сотрудников Событие -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Серийные номера необходимые для позиции {1}. Вы предоставили {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Серийные номера необходимые для позиции {1}. Вы предоставили {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Текущая оценка Оценить DocType: Item,Customer Item Codes,Заказчик Предмет коды apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Обмен Прибыль / убыток @@ -2257,7 +2261,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 +2454,Select Batch No,Выберите номер партии +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,Предварительная сумма @@ -2281,19 +2285,19 @@ DocType: Leave Block List,Allow Users,Разрешить пользовател DocType: Purchase Order,Customer Mobile No,Заказчик Мобильная Нет DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Подписка отдельный доходы и расходы за вертикалей продукции или подразделений. DocType: Rename Tool,Rename Tool,Переименование файлов -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Обновление Стоимость +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 +438,Show Salary Slip,Показать Зарплата скольжению apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Сумма счета Выберите изменения +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,Добавить налоги +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,Бюджет аккаунта @@ -2304,6 +2308,7 @@ DocType: Stock Entry,Purchase Receipt No,Покупка Получение Не apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Задаток DocType: Process Payroll,Create Salary Slip,Создание Зарплата Слип apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,прослеживаемость +DocType: Purchase Invoice Item,HSN/SAC Code,Код HSN / SAC 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,Сотрудник @@ -2333,7 +2338,7 @@ DocType: Employee Education,Post Graduate,Послевузовском DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,График технического обслуживания Подробно DocType: Quality Inspection Reading,Reading 9,Чтение 9 DocType: Supplier,Is Frozen,Замерз -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,"склад группы узлов не допускается, чтобы выбрать для сделок" +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,"склад группы узлов не допускается, чтобы выбрать для сделок" DocType: Buying Settings,Buying Settings,Настройка покупки DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM номер для позиции готового изделия DocType: Upload Attendance,Attendance To Date,Посещаемость To Date @@ -2348,13 +2353,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки." +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.js +153,You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента" +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,Для Количество apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" @@ -2376,7 +2381,7 @@ DocType: Authorization Rule,Authorized Value,Уставный Значение DocType: BOM,Show Operations,Показать операции ,Minutes to First Response for Opportunity,Протокол к First Response для возможностей apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Всего Отсутствует -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Единица Измерения DocType: Fiscal Year,Year End Date,Дата окончания года DocType: Task Depends On,Task Depends On,Задачи зависит от @@ -2467,7 +2472,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0}, чем количество продаж Заказать {1}" +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/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 Адрес электронной почты" @@ -2564,9 +2569,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage полна, не спасло" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,N +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,N DocType: Budget,Cost Center,Центр учета затрат apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Ваучер # DocType: Notification Control,Purchase Order Message,Заказ на сообщение @@ -2582,7 +2587,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 +1165,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,Настройки Запасов @@ -2601,7 +2606,7 @@ DocType: Project,Task Completion,Завершение задачи apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Нет в наличии DocType: Appraisal,HR User,HR Пользователь DocType: Purchase Invoice,Taxes and Charges Deducted,"Налоги, которые вычитаются" -apps/erpnext/erpnext/hooks.py +116,Issues,Вопросов +apps/erpnext/erpnext/hooks.py +124,Issues,Вопросов apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Статус должен быть одним из {0} DocType: Sales Invoice,Debit To,Дебет Для DocType: Delivery Note,Required only for sample item.,Требуется только для образца пункта. @@ -2630,6 +2635,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Территория apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Пожалуйста, укажите кол-во посещений, необходимых" DocType: Stock Settings,Default Valuation Method,Метод по умолчанию Оценка +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,плата DocType: Vehicle Log,Fuel Qty,Топливо Кол-во DocType: Production Order Operation,Planned Start Time,Планируемые Время DocType: Course,Assessment,оценка @@ -2639,12 +2645,12 @@ 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 +149,Quotation {0} is cancelled,Цитата {0} отменяется -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Общей суммой задолженности +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Общей суммой задолженности DocType: Sales Partner,Targets,Цели DocType: Price List,Price List Master,Прайс-лист Мастер DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Все сделок купли-продажи могут быть помечены против нескольких ** продавцы ** так что вы можете устанавливать и контролировать цели. ,S.O. No.,КО № -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Пожалуйста, создайте Клиента от свинца {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Пожалуйста, создайте Клиента от свинца {0}" DocType: Price List,Applicable for Countries,Применимо для стран apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Только оставьте приложения со статусом «Одобрено» и «Отклонено» могут быть представлены apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Студенческая группа Имя является обязательным в строке {0} @@ -2694,6 +2700,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/config/hr.py +163,Define various loan types,Определение различных видов кредита DocType: Bin,FCFS Rate,Уровень FCFS DocType: Payment Reconciliation Invoice,Outstanding Amount,Непогашенная сумма @@ -2736,8 +2743,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Материал Пере 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.,Скидка в процентах можно применять либо против прайс-листа или для всех прайс-листа. DocType: Purchase Invoice,Half-yearly,Раз в полгода apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Вы уже оценили критерии оценки {}. DocType: Vehicle Service,Engine Oil,Машинное масло -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах> Настройки персонажа" DocType: Sales Invoice,Sales Team1,Продажи Команда1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Пункт {0} не существует DocType: Sales Invoice,Customer Address,Клиент Адрес @@ -2765,7 +2772,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическое лицо / Вспомогательный с отдельным Планом счетов бухгалтерского учета, принадлежащего Организации." DocType: Payment Request,Mute Email,Отключение E-mail apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Продукты питания, напитки и табак" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100" DocType: Stock Entry,Subcontract,Субподряд apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Пожалуйста, введите {0} в первую очередь" @@ -2793,7 +2800,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Ежемесячная посещаемость Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Сотрудник {0} уже подало заявку на {1} между {2} и {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Дата начала проекта -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,До +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,До DocType: Rename Tool,Rename Log,Переименовать Входить apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студенческая группа или расписание курсов обязательно apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студенческая группа или расписание курсов обязательно @@ -2818,7 +2825,7 @@ DocType: Purchase Order Item,Returned Qty,Вернулся Кол-во DocType: Employee,Exit,Выход apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корневая Тип является обязательным DocType: BOM,Total Cost(Company Currency),Общая стоимость (Компания Валюта) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Серийный номер {0} создан +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Серийный номер {0} создан DocType: Homepage,Company Description for website homepage,Описание компании на главную страницу сайта DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для удобства клиентов, эти коды могут быть использованы в печатных формах документов, таких как Счета и Документы Отгрузки" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Имя Suplier @@ -2839,7 +2846,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Расписание курсов удалены: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Журналы для просмотра статуса доставки смс DocType: Accounts Settings,Make Payment via Journal Entry,Платежи через журнал Вход -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Отпечатано на +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Отпечатано на DocType: Item,Inspection Required before Delivery,Осмотр Обязательный перед поставкой DocType: Item,Inspection Required before Purchase,Осмотр Требуемые перед покупкой apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,В ожидании Деятельность @@ -2871,9 +2878,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student П apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,предел Скрещенные apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,"Академический термин с этим "Академический год" {0} и 'Term Name' {1} уже существует. Пожалуйста, измените эти записи и повторите попытку." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Как есть существующие операции против пункта {0}, вы не можете изменить значение {1}" +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}","Как есть существующие операции против пункта {0}, вы не можете изменить значение {1}" DocType: UOM,Must be Whole Number,Должно быть Целое число DocType: Leave Control Panel,New Leaves Allocated (In Days),Новые листья Выделенные (в днях) +DocType: Sales Invoice,Invoice Copy,Копия счета apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Серийный номер {0} не существует DocType: Sales Invoice Item,Customer Warehouse (Optional),Склад Клиент (Необязательно) DocType: Pricing Rule,Discount Percentage,Скидка в процентах @@ -2919,8 +2927,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Авто близко Is 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 +305,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,Начисленной амортизации Счет DocType: Stock Settings,Freeze Stock Entries,Замораживание акций Записи +DocType: Program Enrollment,Boarding Student,Студент-интернат DocType: Asset,Expected Value After Useful Life,Ожидаемое значение после срока полезного использования DocType: Item,Reorder level based on Warehouse,Уровень Изменение порядка на основе Склад DocType: Activity Cost,Billing Rate,Платежная Оценить @@ -2948,11 +2958,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Выберите учащихся вручную для группы на основе действий DocType: Journal Entry,User Remark,Примечание Пользователь DocType: Lead,Market Segment,Сегмент рынка -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Уплаченная сумма не может быть больше суммарного отрицательного непогашенной {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Уплаченная сумма не может быть больше суммарного отрицательного непогашенной {0} DocType: Employee Internal Work History,Employee Internal Work History,Сотрудник внутреннего Работа История apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Закрытие (д-р) DocType: Cheque Print Template,Cheque Size,Cheque Размер -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Серийный номер {0} не в наличии +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Серийный номер {0} не в наличии apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Налоговый шаблон для продажи сделок. DocType: Sales Invoice,Write Off Outstanding Amount,Списание суммы задолженности apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Учетная запись {0} не соответствует компании {1} @@ -2977,7 +2987,7 @@ 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 +348,Add a few sample records,Добавить несколько пробных записей +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,Полностью Поставляются @@ -2991,17 +3001,17 @@ 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 +418,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,Заказ клиента apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Серийный номер и пакетная DocType: Warranty Claim,From Company,От компании -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Сумма десятков критериев оценки должно быть {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Сумма десятков критериев оценки должно быть {0}. 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 +270,Minute,Минута +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Минута DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка Налоги и сборы ,Qty to Receive,Кол-во на получение DocType: Leave Block List,Leave Block List Allowed,Оставьте Черный список животных @@ -3021,7 +3031,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банковский овердрафтовый счет apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Сделать Зарплата Слип apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Строка # {0}: выделенная сумма не может превышать невыплаченную сумму. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Просмотр спецификации +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Просмотр спецификации apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Обеспеченные кредиты DocType: Purchase Invoice,Edit Posting Date and Time,Редактирование проводок Дата и время apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Пожалуйста, установите Амортизация соответствующих счетов в Asset Категория {0} или компании {1}" @@ -3037,7 +3047,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 +278,Select Quantity,Выберите Количество +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 Дайджест @@ -3060,6 +3070,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},"Не допускается обновление операций перемещений по складу, старше чем {0}" DocType: Purchase Invoice Item,PR Detail,PR Подробно DocType: Sales Order,Fully Billed,Полностью Объявленный +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Поставщик> Тип поставщика 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 +127,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),Общий вес пакета. Обычно вес нетто + вес упаковочного материала. (Для печати) @@ -3098,8 +3109,9 @@ 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} не проведен DocType: Customs Tariff Number,Tariff Number,Тарифный номер +DocType: Production Order Item,Available Qty at WIP Warehouse,Доступное количество в WIP-хранилище apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Проектированный -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {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,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0 DocType: Notification Control,Quotation Message,Цитата Сообщение DocType: Employee Loan,Employee Loan Application,Служащая заявка на получение кредита @@ -3118,13 +3130,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Земельные стоимости путевки сумма apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Платежи Поставщикам DocType: POS Profile,Write Off Account,Списание счет -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебетовая нота +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Дебетовая нота apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Сумма скидки 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 +207,e.g. VAT,"например, НДС" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,Суб-сжимания @@ -3132,7 +3144,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 +1945,Please select customer,"Пожалуйста, выберите клиента" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Пожалуйста, выберите клиента" DocType: C-Form,I,я DocType: Company,Asset Depreciation Cost Center,Центр Амортизация Стоимость активов DocType: Sales Order Item,Sales Order Date,Дата Заказа клиента @@ -3161,7 +3173,7 @@ DocType: Lead,Address Desc,Адрес по убыванию apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Партия является обязательным DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Название темы -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,По крайней мере один из продажи или покупки должен быть выбран +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,По крайней мере один из продажи или покупки должен быть выбран apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Выберите характер вашего бизнеса. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Строка # {0}: Дублирующая запись в ссылках {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Где производственные операции проводятся. @@ -3170,7 +3182,7 @@ 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} DocType: Employee,Confirmation Date,Дата подтверждения DocType: C-Form,Total Invoiced Amount,Всего Сумма по счетам -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем максимальное Кол-во" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем максимальное Кол-во" DocType: Account,Accumulated Depreciation,начисленной амортизации DocType: Stock Entry,Customer or Supplier Details,Детали по Заказчику или Поставщику DocType: Employee Loan Application,Required by Date,Требуется Дата @@ -3199,10 +3211,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Заказ т apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Название компании не может быть компания apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Письмо главы для шаблонов печати. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Титулы для шаблонов печати, например, счет-проформа." +DocType: Program Enrollment,Walking,Гулять пешком DocType: Student Guardian,Student Guardian,Студент-хранитель apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Обвинения типа Оценка не может отмечен как включено DocType: POS Profile,Update Stock,Обновление стока -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Поставщик> Тип поставщика apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто. Убедитесь, что вес нетто каждого элемента находится в том же UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Оценить DocType: Asset,Journal Entry for Scrap,Запись в журнале для лома @@ -3256,7 +3268,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Показать налог распад apps/erpnext/erpnext/accounts/party.py +308,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,Нет студентов не найдено @@ -3276,14 +3287,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Нет +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 +108,Please enter 'Expected Delivery Date',"Пожалуйста, введите 'ожидаемой даты поставки """ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Недопустимый GSTIN или введите NA для незарегистрированных +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3324,23 @@ DocType: Sales Team,Contribution (%),Вклад (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примечание: Оплата Вступление не будет создана, так как ""Наличные или Банковский счет"" не был указан" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Обязанности DocType: Expense Claim Account,Expense Claim Account,Счет Авансового Отчета +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: 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,Добавить пользователей 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." DocType: Stock Reconciliation Item,Before reconciliation,Перед примирения apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Для {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Налоги и сборы Добавил (Компания Валюта) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная DocType: Sales Order,Partly Billed,Небольшая Объявленный apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Пункт {0} должен быть Fixed Asset Item DocType: Item,Default BOM,По умолчанию BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Сумма дебетовой ноты +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Сумма дебетовой ноты apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Пожалуйста, повторите ввод название компании, чтобы подтвердить" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Общая сумма задолженности по Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Общая сумма задолженности по Amt DocType: Journal Entry,Printing Settings,Настройки печати DocType: Sales Invoice,Include Payment (POS),Включите Оплату (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Всего Дебет должна быть равна общей выработке. Разница в том, {0}" @@ -3335,19 +3348,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Авто DocType: Vehicle,Insurance Company,Страховая компания DocType: Asset Category Account,Fixed Asset Account,Счет учета основных средств apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,переменная -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Из накладной +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Из накладной DocType: Student,Student Email Address,Студент E-mail адрес DocType: Timesheet Detail,From Time,От времени apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,В наличии: DocType: Notification Control,Custom Message,Текст сообщения apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестиционно-банковская деятельность apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Адрес студента 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 +1517,Address Name,Адрес +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адрес DocType: Stock Entry,From BOM,Из спецификации DocType: Assessment Code,Assessment Code,Код оценки apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основной @@ -3364,7 +3376,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете перезагрузить пока у вас есть сеть. +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/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,"Ежемесячное погашение Сумма не может быть больше, чем сумма займа" @@ -3372,7 +3384,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Введите значение должно быть положительным +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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 +3393,7 @@ DocType: Process Payroll,Process Payroll,Процесс расчета зара apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,"Есть больше праздников, чем рабочих дней в этом месяце." DocType: Product Bundle Item,Product Bundle Item,Продукт Связка товара DocType: Sales Partner,Sales Partner Name,Имя Партнера по продажам -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Запрос на предоставление предложений +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Запрос на предоставление предложений DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальная Сумма счета DocType: Student Language,Student Language,Student Язык apps/erpnext/erpnext/config/selling.py +23,Customers,Клиенты @@ -3392,7 +3404,7 @@ DocType: Asset,Partially Depreciated,Частично Амортизируетс DocType: Issue,Opening Time,Открытие Время apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"От и До даты, необходимых" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Ценные бумаги и товарных бирж -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта '{0}' должно быть такой же, как в шаблоне '{1}'" +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 +847,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture @@ -3411,7 +3423,7 @@ 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 +266,Raw Material,Сырье +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Сумма налога После скидка сумма @@ -3423,7 +3435,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Дата открытия должна быть ранее Даты закрытия -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: 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.,"Дни, для которых Праздники заблокированные для этого отдела." @@ -3436,8 +3447,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего""" -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} +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/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,Банковская запись DocType: Authorization Rule,Applicable To (Designation),Применимо к (Обозначение) @@ -3454,7 +3465,7 @@ 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 +270,Hour,Час +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Вы не уполномочен утверждать листья на Блок Сроки @@ -3464,7 +3475,7 @@ 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 +645,Point of Sale,Точки продаж +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Точки продаж DocType: Payment Entry,Received Amount,полученная сумма DocType: GST Settings,GSTIN Email Sent On,Электронная почта GSTIN отправлена DocType: Program Enrollment,Pick/Drop by Guardian,Выбор / Бросок Стража @@ -3481,8 +3492,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 +270,Gram,грамм -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0." +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/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 единиц." @@ -3508,14 +3519,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 +465,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка» +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,Марк посещаемости для нескольких сотрудников @@ -3547,7 +3558,7 @@ 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 +436,Warehouse required for stock Item {0},Требуется Склад для Запаса {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Государственный счетов @@ -3595,7 +3606,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},Недопустимый атрибут {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Выберите группу оценки, отличную от «Все группы оценки»," @@ -3696,16 +3707,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Зарплатные К DocType: Program Enrollment Tool,New Academic Year,Новый учебный год apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Возвращение / Кредит Примечание DocType: Stock Settings,Auto insert Price List rate if missing,"Авто вставка Скорость Цены, если не хватает" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Всего уплаченной суммы +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Всего уплаченной суммы DocType: Production Order Item,Transferred Qty,Переведен Кол-во apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигационный 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 +272,We sell this Item,Мы продаем эту позицию +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,Пример данных 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,Полдня Дата @@ -3753,7 +3766,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 +1186,Please set Company,Укажите компанию +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,Укажите компанию DocType: Pricing Rule,Buying,Покупка DocType: HR Settings,Employee Records to be created by,Сотрудник отчеты должны быть созданные DocType: POS Profile,Apply Discount On,Применить скидки на @@ -3770,13 +3783,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,взимать сборы DocType: Attendance,ATT-,попыт- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Штрихкод {0} уже используется в позиции {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Штрихкод {0} уже используется в позиции {1} DocType: Lead,Add to calendar on this date,Добавить в календарь в этот день apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для добавления стоимости доставки. DocType: Item,Opening Stock,Начальный запас apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Требуется клиентов apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} является обязательным для возврата DocType: Purchase Order,To Receive,Получить +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Личная E-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Общей дисперсии DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически." @@ -3788,7 +3802,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 +541,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,Стандартный Продажа @@ -3796,7 +3810,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,По истечении гарантийного срока DocType: BOM Replace Tool,Replace,Заменить apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Не найдено продуктов. -DocType: Production Order,Unstopped,отверзутся apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} против чека {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Название проекта @@ -3807,6 +3820,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} 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} или уже сравнивается с другой ваучер @@ -3844,9 +3858,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции" +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 +40,Submit this Production Order for further processing.,Провести этот Производственный заказ для дальнейшей обработки. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,работы @@ -3854,12 +3868,14 @@ 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 +209,Rate (%),Ставка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","Добавить других пользователей в Вашу организация, не считая Вас." +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Пожалуйста, установите фильтр компании blank, если Group By является «Company»" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Дата размещения не может быть будущая дата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серийный номер {1}, не соответствует {2} {3}" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Повседневная Оставить @@ -3888,7 +3904,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Фото со Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым DocType: Accounts Settings,Accounts Settings,Настройки аккаунта apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Одобрить DocType: Customer,Sales Partner and Commission,Партнеры по продажам и комиссия @@ -3903,7 +3919,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 +62,{0} items produced,{0} элементов произведено +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,Возвращение @@ -3917,7 +3933,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,Курс обмена -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,Управление флотом @@ -3942,18 +3958,18 @@ 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 +705,Online,В сети +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Отправил заказы не могут быть удалены +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} отключена DocType: Employee Loan,Repay Fixed Amount per Period,Погашать фиксированную сумму за период apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредитная нота Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Кредитная нота Amt DocType: Employee External Work History,Employee External Work History,Сотрудник Внешний Работа История DocType: Tax Rule,Purchase,Купить apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Баланс Кол-во @@ -3979,7 +3995,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 +2383,Select items to save the invoice,Выберите элементы для сохранения счета-фактуры +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Выберите элементы для сохранения счета-фактуры DocType: Employee,Encashment Date,Инкассация Дата DocType: Training Event,Internet,интернет DocType: Account,Stock Adjustment,Регулирование запасов @@ -4009,6 +4025,7 @@ DocType: Guardian,Guardian Of ,Хранитель DocType: Grading Scale Interval,Threshold,порог DocType: BOM Replace Tool,Current BOM,Текущий BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Добавить серийный номер +DocType: Production Order Item,Available Qty at Source Warehouse,Доступное количество в исходном хранилище apps/erpnext/erpnext/config/support.py +22,Warranty,Гарантия DocType: Purchase Invoice,Debit Note Issued,Дебет Примечание Выпущенный DocType: Production Order,Warehouses,Склады @@ -4024,13 +4041,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Выплачи apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Руководитель проекта ,Quoted Item Comparison,Цитируется Сравнение товара apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Отправка -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Макс скидка позволило пункта: {0} {1}% +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 +279,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 +879,Select Items to Manufacture,Выбор элементов для изготовления -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время" DocType: Item,Material Issue,Материал выпуск DocType: Hub Settings,Seller Description,Продавец Описание DocType: Employee Education,Qualification,Квалификаци @@ -4054,7 +4071,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},Чтобы Дата должна быть в пределах финансового года. Предполагая 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 +200,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, так как проведена учетная запись по Запасам {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить, так как проведена учетная запись по Запасам {0}" DocType: Employee Loan,Disbursement Date,Расходование Дата DocType: Vehicle,Vehicle,Средство передвижения DocType: Purchase Invoice,In Words,Прописью @@ -4075,7 +4092,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Для установки в этом финансовом году, как по умолчанию, нажмите на кнопку ""Установить по умолчанию""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Присоединиться apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Нехватка Кол-во -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Состояние вариант {0} существует с теми же атрибутами +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Состояние вариант {0} существует с теми же атрибутами DocType: Employee Loan,Repay from Salary,Погашать из заработной платы DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Запрос платеж против {0} {1} на сумму {2} @@ -4093,18 +4110,18 @@ 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 +1011,It is needed to fetch Item Details.,Он необходим для извлечения Подробности Элемента. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Серийный номер {0} уже существует +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: Expense Claim,Vehicle Log,Автомобиль Вход DocType: Purchase Invoice,Recurring Id,Периодическое Id DocType: Customer,Sales Team Details,Описание отдела продаж -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Удалить навсегда? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Неверный {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неверный {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Отпуск по болезни DocType: Email Digest,Email Digest,E-mail Дайджест DocType: Delivery Note,Billing Address Name,Адрес для выставления счета Имя @@ -4117,6 +4134,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Ответственный DocType: Company,Change Abbreviation,Изменить Аббревиатура DocType: Expense Claim Detail,Expense Date,Дата расхода +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка DocType: Item,Max Discount (%),Макс Скидка (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последняя сумма заказа DocType: Task,Is Milestone,Это этап @@ -4140,8 +4158,8 @@ DocType: Program Enrollment Tool,New Program,Новая программа DocType: Item Attribute Value,Attribute Value,Значение атрибута ,Itemwise Recommended Reorder Level,Itemwise Рекомендуем изменить порядок Уровень DocType: Salary Detail,Salary Detail,Заработная плата: Подробности -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Пожалуйста, выберите {0} первый" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Партия {0} позиций {1} просрочена +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Пожалуйста, выберите {0} первый" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Партия {0} позиций {1} просрочена DocType: Sales Invoice,Commission,Комиссионный сбор apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Время Лист для изготовления. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Промежуточный итог @@ -4166,12 +4184,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 +399,Operation Time must be greater than 0 for Operation {0},"Время работы должно быть больше, чем 0 для операции {0}" +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/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 +387,Production Order cannot be raised against a Item Template,Производственный заказ не может быть поднят против Item Шаблон +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,Дата Начала @@ -4201,7 +4219,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Утилизация Дата DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Электронные письма будут отправлены во все активные работники компании на данный час, если у них нет отпуска. Резюме ответов будет отправлен в полночь." DocType: Employee Leave Approver,Employee Leave Approver,Сотрудник Оставить утверждающий -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не можете объявить как потерял, потому что цитаты было сделано." 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} должен быть проведен @@ -4234,6 +4252,7 @@ DocType: Announcement,Student,Студент apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Название подразделения (департамент) хозяин. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Введите действительные мобильных NOS apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICATE ДЛЯ ПОСТАВЩИКА DocType: Email Digest,Pending Quotations,До Котировки apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Точка-в-продажи профиля apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Обновите SMS Настройки @@ -4242,7 +4261,7 @@ DocType: Cost Center,Cost Center Name,Название учетного отде DocType: Employee,B+,B+ DocType: HR Settings,Max working hours against Timesheet,Максимальное рабочее время против Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Запланированная дата -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Всего выплачено Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Всего выплачено Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Сообщения больше, чем 160 символов будет разделен на несколько сообщений" DocType: Purchase Receipt Item,Received and Accepted,Получил и принял ,GST Itemised Sales Register,Регистр продаж GST @@ -4252,7 +4271,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 +237,Your Suppliers,Ваши Поставщики +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Не можете вычесть, когда категория для "Оценка" или "Vaulation и Total '" @@ -4264,7 +4283,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Сайт изображения {0} прикреплен к пункту {1} не может быть найден +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.,Перечислите этот пункт в нескольких группах на веб-сайте. @@ -4279,7 +4298,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Что он apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Для Склад apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Все Поступающим Student ,Average Commission Rate,Средний Уровень Комиссии -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Имеет Серийный номер"" не может быть ""Да"" для не складской позиции" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Имеет Серийный номер"" не может быть ""Да"" для не складской позиции" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Посещаемость не могут быть отмечены для будущих дат DocType: Pricing Rule,Pricing Rule Help,Цены Правило Помощь DocType: School House,House Name,Название дома @@ -4295,7 +4314,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 +339,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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" @@ -4310,20 +4329,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Зарплата Скольжение работника {0} уже создан для табеля {1} DocType: Vehicle Log,Odometer,одометр DocType: Sales Order Item,Ordered Qty,Заказал Кол-во -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Пункт {0} отключена +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 +874,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,Заправочные Подробнее apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Создать зарплат Slips -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Покупка должна быть проверена, если выбран Применимо для как {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Покупка должна быть проверена, если выбран Применимо для как {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Скидка должна быть меньше 100 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 +500,Default BOM for {0} not found,По умолчанию BOM для {0} не найден -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,Программа подачи заявок DocType: Landed Cost Voucher,Landed Cost Voucher,Земельные стоимости путевки @@ -4387,7 +4406,6 @@ DocType: Maintenance Visit,MV,М.В. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Ожидаемая дата не может быть до Материал Дата заказа DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе -DocType: Production Order,Source Warehouse (for reserving Items),Источник Склад (для резервирования Items) DocType: Employee Loan,Repayment Period in Months,Период погашения в месяцах apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Ошибка: Не действует ID? DocType: Naming Series,Update Series Number,Обновление Номер серии @@ -4436,7 +4454,7 @@ DocType: Production Order,Planned End Date,Планируемая Дата за apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Где элементы хранятся. DocType: Request for Quotation,Supplier Detail,Поставщик: Подробности apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Ошибка в формуле или условие: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Сумма по счетам +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Сумма по счетам DocType: Attendance,Attendance,Посещаемость apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stock Items DocType: BOM,Materials,Материалы @@ -4477,10 +4495,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Настройка простой веб-сайт для моей организации +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}" DocType: Item,Default Warehouse,По умолчанию Склад apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Бюджет не может быть назначен на учетную запись группы {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Пожалуйста, введите МВЗ родительский" @@ -4541,7 +4559,7 @@ 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 +1344,Select or add new customer,Выберите или добавить новый клиент +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/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,Это основано на посещаемости этого сотрудника @@ -4549,6 +4567,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,Дата начала года DocType: Attendance,Employee Name,Имя Сотрудника DocType: Sales Invoice,Rounded Total (Company Currency),Округлые Всего (Компания Валюта) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах> Настройки персонажа" 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 +231,{0} {1} has been modified. Please refresh.,"{0} {1} был изменен. Пожалуйста, обновите." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Остановить пользователям вносить Leave приложений на последующие дни. @@ -4571,7 +4590,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Чтение 3 ,Hub,Концентратор DocType: GL Entry,Voucher Type,Ваучер Тип -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Прайс-лист не найден или отключен +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} должен быть установлен как ""левые""" @@ -4591,7 +4610,7 @@ DocType: POS Profile,Account for Change Amount,Счет для изменени apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партия / счета не соответствует {1} / {2} в {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Пожалуйста, введите Expense счет" DocType: Account,Stock,Склад -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись" DocType: Employee,Current Address,Текущий адрес DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Если деталь вариант другого элемента, то описание, изображение, ценообразование, налоги и т.д., будет установлен из шаблона, если явно не указано" DocType: Serial No,Purchase / Manufacture Details,Покупка / Производство Подробнее @@ -4630,11 +4649,12 @@ DocType: Student,Home Address,Домашний адрес apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Передача активов DocType: POS Profile,POS Profile,POS-профиля DocType: Training Event,Event Name,Название события -apps/erpnext/erpnext/config/schools.py +39,Admission,вход +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,вход apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Поступающим для {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Пункт {0} шаблона, выберите один из его вариантов" DocType: Asset,Asset Category,Категория активов +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Закупщик apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Чистая зарплата не может быть отрицательным DocType: SMS Settings,Static Parameters,Статические параметры DocType: Assessment Plan,Room,Комната @@ -4643,6 +4663,7 @@ DocType: Item,Item Tax,Пункт Налоговый apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материал Поставщику apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизный Счет apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% появляется более одного раза +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория DocType: Expense Claim,Employees Email Id,Сотрудники 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,Текущие обязательства @@ -4714,6 +4735,7 @@ DocType: Leave Type,Is Carry Forward,Является ли переносить apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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}" +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 ,Stock Summary,Суммарный сток diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv index 694b9d17aa..4bfd52fd19 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","නතර අවලංගු කිරීමට ප්රථම එය Unstop නිෂ්පාදන සාමය, අවලංගු කල නොහැක" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,පෙරනිමි සැපයුම්කරු තෝරන්න @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1} +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 +808,Invoice,ඉන්වොයිසිය DocType: Maintenance Schedule Item,Periodicity,ආවර්තයක් apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,මුදල් වර්ෂය {0} අවශ්ය වේ @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,වර්ක් ඉන් ප්රෝග්රස් apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,කරුණාකර දිනය තෝරන්න DocType: Employee,Holiday List,නිවාඩු ලැයිස්තුව -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ගණකාධිකාරී +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,ගණකාධිකාරී DocType: Cost Center,Stock User,කොටස් පරිශීලක DocType: Company,Phone No,දුරකතන අංකය apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,නිර්මාණය පාඨමාලා කාලසටහන: @@ -110,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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kg DocType: Student Log,Log,ලඝු apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,රැකියාවක් සඳහා විවෘත. DocType: Item Attribute,Increment,වර්ධකය @@ -120,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 +42,Not permitted for {0},{0} සඳහා අවසර නැත apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,සිට භාණ්ඩ ලබා ගන්න -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,හමු වූ භාණ්ඩ නොවේ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,විකුණුම් ඉන්වොයිසිය අයිතමය @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,කොටස් වාර DocType: Warehouse,Warehouse Detail,පොත් ගබඩාව විස්තර apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ණය සීමාව {0} සඳහා ගනුදෙනුකරුවන්ගේ එතෙර කර ඇත {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ස්ථාවර වත්කම් ද" වත්කම් වාර්තාවක් අයිතමය එරෙහිව පවතී ලෙස, අපරීක්ෂා විය නොහැකි" +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/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,ක පාරිභෝගික එකම නමින් පවතී @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} සිට {1} වෙත DocType: Item,Copy From Item Group,විෂය සමූහ වෙතින් පිටපත් DocType: Journal Entry,Opening Entry,විවෘත පිවිසුම් -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,පාරිභෝගික> කස්ටමර් සමූහයේ> දේශසීමාවේ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ගිණුම් පමණක් ගෙවන්න DocType: Employee Loan,Repay Over Number of Periods,"කාල පරිච්ඡේදය, සංඛ්යාව අධික ආපසු ගෙවීම" DocType: Stock Entry,Additional Costs,අතිරේක පිරිවැය @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,දේපළ වෙළදාම් -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ගිණුම් ප්රකාශයක් +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,ඖෂධ DocType: Purchase Invoice Item,Is Fixed Asset,ස්ථාවර වත්කම් ද apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ලබා ගත හැකි යවන ලද {0}, ඔබ {1} අවශ්ය වේ" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,පාරිෙභෝජන +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,පාරිෙභෝජන DocType: Employee,B-,බී- DocType: Upload Attendance,Import Log,ආනයන ලොග් DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,එම නිර්ණායක මත පදනම් වර්ගය නිෂ්පාදනය ද්රව්ය ඉල්ලීම් අදින්න @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,උදාහරණය: මූලික ගණිතය +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/config/hr.py +214,Settings for HR Module,මානව සම්පත් මොඩියුලය සඳහා සැකසුම් DocType: SMS Center,SMS Center,කෙටි පණිවුඩ මධ්යස්ථානය @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,ද්රව්ය හා මිල ගණන් apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},මුළු පැය: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},දිනය සිට මුදල් වර්ෂය තුළ විය යුතුය. දිනය සිට උපකල්පනය = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,මිල කැඳවීම් DocType: Customer,Individual,තනි DocType: Interest,Academics User,විද්වතුන් පරිශීලක DocType: Cheque Print Template,Amount In Figure,රූපය දී මුදල @@ -265,7 +266,7 @@ DocType: Employee,Create User,පරිශීලක නිර්මාණය DocType: Selling Settings,Default Territory,පෙරනිමි දේශසීමාවේ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,රූපවාහිනී DocType: Production Order Operation,Updated via 'Time Log','කාලය පිළිබඳ ලඝු-සටහන' හරහා යාවත්කාලීන කිරීම -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි DocType: Naming Series,Series List for this Transaction,මෙම ගනුදෙනු සඳහා මාලාවක් ලැයිස්තුව DocType: Company,Enable Perpetual Inventory,භාණ්ඩ තොගය සක්රිය කරන්න DocType: Company,Default Payroll Payable Account,පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් @@ -273,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 +177,For Warehouse is required before Submit,ගබඩාව අවශ්ය වේ සඳහා පෙර ඉදිරිපත් +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,අප අමතන්න නම +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 කස්ටමර් සමූහයේ @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,දිනය ලිහිල් සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය 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 +189,Warehouse {0} does not belong to company {1},පොත් ගබඩාව {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 +270,Litre,ලීටරයකට +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,අවසරය ඇහිරීම -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,බැංකු අයැදුම්පත් apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,වාර්ෂික DocType: Stock Reconciliation Item,Stock Reconciliation Item,කොටස් ප්රතිසන්ධාන අයිතමය @@ -315,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 +316,People who teach at your organisation,ඔබගේ සංවිධානය ට උගන්වන්න අය +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,අවම සාමය යවන ලද @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,පරිශීලක අනුප DocType: Item,Publish in Hub,Hub දී ප්රකාශයට පත් කරනු ලබයි DocType: Student Admission,Student Admission,ශිෂ්ය ඇතුළත් කිරීම ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,අයිතමය {0} අවලංගුයි +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,අයිතමය {0} අවලංගුයි apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,"ද්රව්ය, ඉල්ලීම්" DocType: Bank Reconciliation,Update Clearance Date,යාවත්කාලීන නිශ්කාශනෙය් දිනය DocType: Item,Purchase Details,මිලදී විස්තර @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,ඇණිය කළමනාකරු apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,වටරවුම් විමර්ශන දෝෂ @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,ඔබ එය ඇද පසු ගෙවීම් සටහන් වෙනස් කර ඇත. කරුණාකර එය නැවත නැවත අදින්න. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} අයිතමය බදු දී දෙවරක් ඇතුළත් +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} අයිතමය බදු දී දෙවරක් ඇතුළත් apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,මේ සතියේ හා ෙ කටයුතු සඳහා සාරාංශය DocType: Student Applicant,Admitted,ඇතුළත් DocType: Workstation,Rent Cost,කුලියට වියදම @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ලැබී apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ශිෂ්ය කණ්ඩායම් නිර්මාණය කරන්න apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,මේ වන විටත් සම්පූර්ණ setup !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ණය සටහන මුදල +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,ණය සටහන මුදල ,Finished Goods,නිමි භාණ්ඩ DocType: Delivery Note,Instructions,උපදෙස් DocType: Quality Inspection,Inspected By,පරීක්ෂා කරන ලද්දේ @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,නව පාරිභෝගික නිර්මාණය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> අංක ශ්රේණි හරහා පැමිණීම සඳහා පිහිටුවීම් අංක මාලාවක් apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,මිලදී ගැනීම නියෝග නිර්මාණය ,Purchase Register,මිලදී රෙජිස්ටර් DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,සියලු නිෂ්පාදන ක්රියාවලීන් සඳහා වන ගෝලීය සැකසුම්. DocType: Accounts Settings,Accounts Frozen Upto,ගිණුම් ශීත කළ තුරුත් DocType: SMS Log,Sent On,දා යවන -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ගති ලක්ෂණය {0} දන්ත ධාතුන් වගුව කිහිපවතාවක් තෝරාගත් +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,ගති ලක්ෂණය {0} දන්ත ධාතුන් වගුව කිහිපවතාවක් තෝරාගත් DocType: HR Settings,Employee record is created using selected field. ,සේවක වාර්තාවක් තෝරාගත් ක්ෂේත්ර භාවිතා කිරීමෙන්ය. DocType: Sales Order,Not Applicable,අදාළ නොවේ apps/erpnext/erpnext/config/hr.py +70,Holiday master.,නිවාඩු ස්වාමියා. @@ -528,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 +219,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","ගිණුම් වර්ගීකරණය නම්, ගිණුම් මත පදනම් පෙරීමට නොහැකි" @@ -543,7 +545,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ද්රව්ය ඉල්ලීම් උත්ථාන කරනු ලබන සඳහා ගබඩා ඇතුලත් කරන්න DocType: Production Order,Additional Operating Cost,අතිරේක මෙහෙයුම් පිරිවැය apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,අලංකාර ආලේපන -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ඒකාබද්ධ කිරීමට, පහත සඳහන් ලක්ෂණ භාණ්ඩ යන දෙකම සඳහා එකම විය යුතු" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","ඒකාබද්ධ කිරීමට, පහත සඳහන් ලක්ෂණ භාණ්ඩ යන දෙකම සඳහා එකම විය යුතු" DocType: Shipping Rule,Net Weight,ශුද්ධ බර DocType: Employee,Emergency Phone,හදිසි දුරකථන apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,මිලට ගන්න @@ -553,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 +2428,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,කළමනාකාර උප කොන්ත්රාත් @@ -572,7 +574,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ සංස්කරණය කරන්න බදු හා ගාස්තු එකතු කරන්න DocType: Purchase Invoice,Supplier Invoice No,සැපයුම්කරු ගෙවීම් නොමැත DocType: Territory,For reference,පරිශීලනය සඳහා -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","අනු අංකය මකා දැමිය නොහැකි {0}, එය කොටස් ගනුදෙනු සඳහා භාවිතා වන පරිදි" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","අනු අංකය මකා දැමිය නොහැකි {0}, එය කොටස් ගනුදෙනු සඳහා භාවිතා වන පරිදි" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),වැසීම (බැර) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,විෂය ගෙන යන්න DocType: Serial No,Warranty Period (Days),වගකීම් කාලය (දින) @@ -593,7 +595,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,කරුණාකර ප්රථම සමාගම හා පක්ෂ වර්ගය තෝරා apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,සමුච්චිත අගයන් -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","සමාවන්න, අනු අංක ඒකාබද්ධ කළ නොහැකි" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","සමාවන්න, අනු අංක ඒකාබද්ධ කළ නොහැකි" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,විකුණුම් සාමය කරන්න DocType: Project Task,Project Task,ව්යාපෘති කාර්ය සාධක ,Lead Id,ඊයම් අංකය @@ -613,6 +615,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,වෙන් apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,විකුණුම් ප්රතිලාභ 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,සටහන: මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට අඩු නොවිය යුතු ය +,Total Stock Summary,මුළු කොටස් සාරාංශය DocType: Announcement,Posted By,පලකරන්නා DocType: Item,Delivered by Supplier (Drop Ship),සැපයුම්කරුවන් (Drop නෞකාව) විසින් පවත්වන apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,අනාගත ගනුදෙනුකරුවන් දත්ත සමුදාය. @@ -621,7 +624,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ගනුදෙන DocType: Quotation,Quotation To,උද්ධෘත කිරීම DocType: Lead,Middle Income,මැදි ආදායම් apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),විවෘත කිරීමේ (බැර) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ඔබ මේ වන විටත් තවත් UOM සමග සමහර ගනුදෙනු (ව) කර ඇති නිසා අයිතමය සඳහා නු පෙරනිමි ඒකකය {0} සෘජුවම වෙනස් කළ නොහැක. ඔබ වෙනස් පෙරනිමි UOM භාවිතා කිරීම සඳහා නව විෂය නිර්මාණය කිරීමට අවශ්ය වනු ඇත. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ඔබ මේ වන විටත් තවත් UOM සමග සමහර ගනුදෙනු (ව) කර ඇති නිසා අයිතමය සඳහා නු පෙරනිමි ඒකකය {0} සෘජුවම වෙනස් කළ නොහැක. ඔබ වෙනස් පෙරනිමි UOM භාවිතා කිරීම සඳහා නව විෂය නිර්මාණය කිරීමට අවශ්ය වනු ඇත. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,වෙන් කල මුදල සෘණ විය නොහැකි apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,සමාගම සකස් කරන්න apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,සමාගම සකස් කරන්න @@ -643,6 +646,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ශාස්ත්රපත DocType: Assessment Plan,Maximum Assessment Score,උපරිම තක්සේරු ලකුණු apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,යාවත්කාලීන බැංකුවේ ගනුදෙනු දිනයන් apps/erpnext/erpnext/config/projects.py +30,Time Tracking,කාලය ට්රැකින් +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ප්රවාහනය සඳහා අනුපිටපත් DocType: Fiscal Year Company,Fiscal Year Company,මුදල් වර්ෂය සමාගම DocType: Packing Slip Item,DN Detail,ඩී.එන් විස්තර DocType: Training Event,Conference,සමුළුව @@ -682,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 +320,Timesheet created:,Timesheet නිර්මාණය: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ලියාපදිංචි DocType: GST Settings,GST Settings,GST සැකසුම් DocType: Selling Settings,Customer Naming By,පාරිභෝගික නම් කිරීම මගින් @@ -712,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 +139,Finish,අවසානයි +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,අවසානයි apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,පදනම DocType: Timesheet,Total Billed Hours,මුළු අසූහත පැය DocType: Journal Entry,Write Off Amount,මුදල කපා @@ -747,7 +751,7 @@ DocType: Hub Settings,Seller City,විකුණන්නා සිටි ,Absent Student Report,නැති කල ශිෂ්ය වාර්තාව DocType: Email Digest,Next email will be sent on:,ඊළඟ ඊ-තැපැල් යවා වනු ඇත: DocType: Offer Letter Term,Offer Letter Term,ලිපිය කාලීන ඉදිරිපත් -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,අයිතමය ප්රභේද ඇත. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,අයිතමය ප්රභේද ඇත. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,අයිතමය {0} සොයාගත නොහැකි DocType: Bin,Stock Value,කොටස් අගය apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,සමාගම {0} නොපවතියි @@ -794,12 +798,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","බහු මිල රීති එම නිර්ණායක සමග පවතී, ප්රමුඛත්වය යොමු කිරීම මගින් ගැටුම විසඳීමට කරන්න. මිල රීති: {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,එය අනෙක් 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 +48,Make Timesheet,Timesheet කරන්න +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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,13 +842,13 @@ 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,පවුල් පසුබිම DocType: Request for Quotation Supplier,Send Email,යවන්න විද්යුත් -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},අවවාදයයි: වලංගු නොවන ඇමුණුම් {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,කිසිදු අවසරය +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},අවවාදයයි: වලංගු නොවන ඇමුණුම් {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,කිසිදු අවසරය 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 +269,Nos,අංක +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} ඉදිරිපත් කළ යුතුය @@ -864,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}: ගිණුම් {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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,සමුච්චිත ක්ෂය විවෘත @@ -952,14 +956,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} අවලංගු කරන්න -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},අනු අංකය {0} අයිතමය අයිති නැත {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},අනු අංකය {0} අයිතමය අයිති නැත {1} DocType: Purchase Receipt Item Supplied,Required Qty,අවශ්ය යවන ලද apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක. DocType: Bank Reconciliation,Total Amount,මුලු වටිනාකම @@ -976,7 +980,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,සංරචක apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},විෂය {0} තුළ වත්කම් ප්රවර්ගය ඇතුලත් කරන්න DocType: Quality Inspection Reading,Reading 6,කියවීම 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,{0} නොහැකි {1} {2} සෘණාත්මක කැපී පෙනෙන ඉන්වොයිස් තොරව +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,{0} නොහැකි {1} {2} සෘණාත්මක කැපී පෙනෙන ඉන්වොයිස් තොරව 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} සමග සම්බන්ධ විය නොහැකි @@ -990,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 +731,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි DocType: Payment Request,Paid,ගෙවුම් DocType: Program Fee,Program Fee,වැඩසටහන ගාස්තු DocType: Salary Slip,Total in words,වචන මුළු @@ -1028,10 +1032,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,රසායනික DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,මෙම ප්රකාරයේදී තෝරාගත් විට ප්රකෘති බැංකුව / මුදල් ගිණුම ස්වංක්රීයව වැටුප ජර්නල් සටහන් දී යාවත්කාලීන වේ. DocType: BOM,Raw Material Cost(Company Currency),අමු ද්රව්ය වියදම (සමාගම ව්යවහාර මුදල්) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,සියලු අයිතම දැනටමත් මෙම නිෂ්පාදන නියෝග සඳහා ස්ථාන මාරුවීම් ලබාදී තිබේ. +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 +270,Meter,මීටර් +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,මීටර් DocType: Workstation,Electricity Cost,විදුලිබල වියදම DocType: HR Settings,Don't send Employee Birthday Reminders,සේවක උපන්දින මතක් යවන්න එපා DocType: Item,Inspection Criteria,පරීක්ෂණ නිර්ණායක @@ -1054,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 +452,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,ඉතිරි ණය මුදල @@ -1062,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 +259,Qty for {0},{0} සඳහා යවන ලද +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,වාරණ ලැයිස්තුව දිනයන් නිවාඩු @@ -1074,9 +1078,9 @@ DocType: Purchase Invoice,Cash/Bank Account,මුදල් / බැංකු apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ඇති {0} කරුණාකර සඳහන් කරන්න apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ප්රමාණය සහ වටිනාකම කිසිදු වෙනසක් සමග භාණ්ඩ ඉවත් කර ඇත. DocType: Delivery Note,Delivery To,වෙත බෙදා හැරීමේ -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ගති ලක්ෂණය වගුව අනිවාර්ය වේ +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,ගති ලක්ෂණය වගුව අනිවාර්ය වේ DocType: Production Planning Tool,Get Sales Orders,විකුණුම් නියෝග ලබා ගන්න -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} සෘණ විය නොහැකි +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} සෘණ විය නොහැකි apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,වට්ටමක් DocType: Asset,Total Number of Depreciations,අගය පහත මුළු සංඛ්යාව DocType: Sales Invoice Item,Rate With Margin,ආන්තිකය සමග අනුපාතය @@ -1113,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 +1546,ZIP Code,කලාප කේතය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1136,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,ඔබේ සැපයුම්කරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 @@ -1156,7 +1160,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,බෙදාහැරීමේ DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,සාප්පු සවාරි කරත්ත නැව් පාලනය apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,නිෂ්පාදන න්යාය {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On','යොමු කරන්න අතිරේක වට්ටම් මත' සකස් කරන්න +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,රංගේ සිට රංගේ කිරීම වඩා අඩු විය යුතුය DocType: Global Defaults,Global Defaults,ගෝලීය Defaults @@ -1164,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN පළමු 2 ඉලක්කම් රාජ්ය අංකය {0} සමග සැසඳිය යුතුයි +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ධාරිතාව සැලසුම් දෝෂ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ධාරිතාව සැලසුම් දෝෂ ,Trial Balance for Party,පක්ෂය වෙනුවෙන් මාසික බැංකු සැසඳුම් DocType: Lead,Consultant,උපදේශක DocType: Salary Slip,Earnings,ඉපැයීම් @@ -1186,7 +1190,7 @@ DocType: Purchase Invoice,Is Return,ප්රතිලාභ වේ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,ආපසු / ඩෙබිට් සටහන DocType: Price List Country,Price List Country,මිල ලැයිස්තුව රට DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},විෂය {1} සඳහා {0} වලංගු අනුක්රමික අංක +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},විෂය {1} සඳහා {0} වලංගු අනුක්රමික අංක apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,අයිතමය සංග්රහයේ අනු අංකය වෙනස් කළ නොහැකි apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS නරඹන්න {0} දැනටමත් පරිශීලක සඳහා නිර්මාණය: {1} සහ සමාගම {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM පරිවර්තන සාධකය @@ -1196,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 +675,Cost Center For Item with Item Code ',විෂය සංග්රහයේ සමග අයිතමය සඳහා පිරිවැය මධ්යස්ථානය -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","කණ්ඩායම් යටතේ තව දුරටත් ගිණුම් කළ හැකි නමුත්, ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි" @@ -1239,7 +1243,7 @@ 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,දැක්ම ලේජර DocType: Grading Scale,Intervals,කාල අන්තරයන් apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ආදිතම -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ක අයිතමය සමූහ එකම නමින් පවතී, අයිතමය නම වෙනස් කිරීම හෝ අයිතමය පිරිසක් නැවත නම් කරුණාකර" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,අයිතමය {0} කණ්ඩායම ලබා ගත නොහැකි @@ -1268,7 +1272,7 @@ 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 +288,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති DocType: Purchase Invoice,Rejected Warehouse,ප්රතික්ෂේප ගබඩාව DocType: GL Entry,Against Voucher,වවුචරයක් එරෙහිව DocType: Item,Default Buying Cost Center,පෙරනිමි මිලට ගැනීම පිරිවැය මධ්යස්ථානය @@ -1279,7 +1283,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,විකුණුම් සාමය {0} වලංගු නොවේ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1297,14 +1301,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,නිකුත් කළ ස්ථානය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,කොන්ත්රාත්තුව DocType: Email Digest,Add Quote,Quote එකතු කරන්න -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM coversion සාධකය: අයිතම ගැන {0}: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM coversion සාධකය: අයිතම ගැන {0}: {1} 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 +736,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා +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,ඔබගේ නිෂ්පාදන හෝ සේවා DocType: Mode of Payment,Mode of Payment,ගෙවීම් ක්රමය -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය DocType: Student Applicant,AP,පුද්ගල නාශක DocType: Purchase Invoice Item,BOM,ද්රව්ය ලේඛණය apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,"මෙය මූල අයිතමය පිරිසක් වන අතර, සංස්කරණය කළ නොහැක." @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","මිල ගණන් පාලනය පළමු අයිතමය, විෂය සමූහය හෝ වෙළඳ නාමය විය හැකි ක්ෂේත්ර, 'මත යොමු කරන්න' මත පදනම් වූ තෝරා ගනු ලැබේ." 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 විය යුතුයි -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},නිෂ්පාදන න්යාය තත්ත්වය {0} වේ DocType: Appraisal Goal,Goal,ඉලක්කය DocType: Sales Invoice Item,Edit Description,සංස්කරණය කරන්න විස්තරය ,Team Updates,කණ්ඩායම යාවත්කාලීන @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ළමා ගබඩා සංකීර්ණය මෙම ගබඩා සංකීර්ණය සඳහා පවතී. ඔබ මෙම ගබඩා සංකීර්ණය මකා දැමිය නොහැකි. DocType: Item,Website Item Groups,වෙබ් අඩවිය අයිතමය කණ්ඩායම් DocType: Purchase Invoice,Total (Company Currency),එකතුව (සමාගම ව්යවහාර මුදල්) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,අනුක්රමික අංකය {0} වරකට වඩා ඇතුල් +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 +78,{0} items in progress,{0} ප්රගතිය භාණ්ඩ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1414,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1426,7 @@ 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 +260,Max: {0},මැක්ස්: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,සන්නිවේදන ලඝු-සටහන. @@ -1434,7 +1436,7 @@ DocType: Sales Invoice,Shipping Address Name,නැව් ලිපිනය න apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ගිණුම් සටහන DocType: Material Request,Terms and Conditions Content,නියමයන් හා කොන්දේසි අන්තර්ගත apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 ට වඩා වැඩි විය නොහැක -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,අයිතමය {0} කොටස් අයිතමය නොවේ +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,අයිතමය {0} කොටස් අයිතමය නොවේ DocType: Maintenance Visit,Unscheduled,කලින් නොදන්වා DocType: Employee,Owned,අයත් DocType: Salary Detail,Depends on Leave Without Pay,වැටුප් නැතිව නිවාඩු මත රඳා පවතී @@ -1465,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 +273,We buy this Item,අපි මේ විෂය මිලදී +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 ශේෂයන් පෙන්වන්න @@ -1476,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 +266,Sub Assemblies,උප එක්රැස්වීම් +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,උප එක්රැස්වීම් DocType: Asset,Asset Name,වත්කම් නම DocType: Project,Task Weight,කාර්ය සාධක සිරුරේ බර DocType: Shipping Rule Condition,To Value,අගය කිරීමට @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,මූලාශ්රය 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 +239,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,වාර්තා ගෙවීම් වගුව සොයාගැනීමට නොමැත apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},මෙම {0} {2} {3} සඳහා {1} සමග ගැටුම් DocType: Student Attendance Tool,Students HTML,සිසුන් සඳහා HTML DocType: POS Profile,Apply Discount,වට්ටම් යොමු කරන්න -DocType: Purchase Invoice Item,GST HSN Code,GST HSN සංග්රහයේ +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 +283,Packing Slip(s) cancelled,ඇසුරුම් කුවිතාන්සියක් (ව) අවලංගු @@ -1557,8 +1559,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 +2573,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,කොටුව +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 +873,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 ලැයිස්තුව නිර්මාණය කරන්න @@ -1588,7 +1590,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,ණය ආපසු ගෙවීමේ ක්රමය DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","පරීක්ෂා නම්, මුල් පිටුව වෙබ් අඩවිය සඳහා පෙරනිමි අයිතමය සමූහ වනු ඇත" DocType: Quality Inspection Reading,Reading 4,කියවීම 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} ව්යාපෘතිය {1} සඳහා සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය 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} චෙක්පත් දිනය පෙර විය නොහැකි @@ -1605,29 +1606,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,නව කාර apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,උද්ධෘත කරන්න apps/erpnext/erpnext/config/selling.py +216,Other Reports,වෙනත් වාර්තා DocType: Dependent Task,Dependent Task,රඳා කාර්ය සාධක -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},නු පෙරනිමි ඒකකය සඳහා පරිවර්තන සාධකය පේළිය 1 {0} විය යුතුය +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 දින සඳහා මෙහෙයුම් සැලසුම් උත්සාහ කරන්න. 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} හි පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් සකස් කරන්න DocType: SMS Center,Receiver List,ලබන්නා ලැයිස්තුව -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,සොයන්න අයිතමය +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,මේ වන විටත් අවසන් +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/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 +263,Quantity must not be more than {0},ප්රමාණ {0} වඩා වැඩි නොවිය යුතුය +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 ඉඞ් DocType: Account,Account Name,ගිණුමේ නම apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,දිනය සිට මේ දක්වා වඩා වැඩි විය නොහැකි -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,අනු අංකය {0} ප්රමාණය {1} අල්පයක් විය නොහැකි +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,අනු අංකය {0} ප්රමාණය {1} අල්පයක් විය නොහැකි apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,සැපයුම්කරු වර්ගය ස්වාමියා. 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 විය නොහැකි @@ -1635,6 +1636,7 @@ 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: Delivery Note,Vehicle Dispatch Date,වාහන යැවීම දිනය +DocType: Purchase Order Item,HSN/SAC,HSN / මණ්ඩල උපදේශක කමිටුව apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,මිලදී ගැනීම රිසිට්පත {0} ඉදිරිපත් කර නැත DocType: Company,Default Payable Account,පෙරනිමි ගෙවිය යුතු ගිණුම් apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","එවැනි නාවික නීතිය, මිල ලැයිස්තුව ආදිය සමඟ අමුත්තන් කරත්තයක් සඳහා සැකසුම්" @@ -1690,7 +1692,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,කොළ ලෙස DocType: Sales Invoice,Packed Items,හැකිළු අයිතම apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,අනු අංකය එරෙහිව වගකීම් හිමිකම් DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","යම් ද්රව්ය ලේඛණය එය භාවිතා කරන අනෙකුත් සියලු BOMs තුළ ආදේශ කරන්න. එය නව ද්රව්ය ලේඛණය අනුව පැරණි ද්රව්ය ලේඛණය සබැඳිය, යාවත්කාලීන පිරිවැය වෙනුවට "ලේඛණය පිපිරීගිය අයිතමය" මේසය යළි ගොඩනැංවීමේ ඇත" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','මුළු' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','මුළු' DocType: Shopping Cart Settings,Enable Shopping Cart,සාප්පු සවාරි කරත්ත සබල කරන්න DocType: Employee,Permanent Address,ස්ථිර ලිපිනය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1726,6 +1728,7 @@ DocType: Material Request,Transferred,මාරු DocType: Vehicle,Doors,දොරවල් apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,7 +1748,7 @@ 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 +699,Offline,නොබැඳි +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,රැකියාවක් සඳහා අයදුම්කරු @@ -1762,7 +1765,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ප්රධා apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ප්රභේද්යයක් DocType: Naming Series,Set prefix for numbering series on your transactions,ඔබගේ ගනුදෙනු මාලාවක් සංඛ්යාවක් සඳහා උපසර්ගය සකසන්න DocType: Employee Attendance Tool,Employees HTML,සේවක HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය DocType: Employee,Leave Encashed?,Encashed ගියාද? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ක්ෂේත්රයේ සිට අවස්ථාව අනිවාර්ය වේ DocType: Email Digest,Annual Expenses,වාර්ෂික වියදම් @@ -1775,7 +1778,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 +175,Work-in-Progress Warehouse is required before Submit,සිදු වෙමින් පවතින වැඩ ගබඩාව පෙර ඉදිරිපත් අවශ්ය වේ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,ව්යවස්ථාපිත තොරතුරු හා ඔබගේ සැපයුම්කරු ගැන අනෙක් සාමාන්ය තොරතුරු @@ -1785,7 +1788,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ශිෂ්ය කණ්ඩායම් ශක්තිය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ජර්නල් සටහන් {0} එරෙහිව කිසිදු අසමසම {1} ප්රවේශය නොමැති apps/erpnext/erpnext/config/hr.py +137,Appraisals,ඇගයීම් -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},අනු අංකය අයිතමය {0} සඳහා ඇතුල් අනුපිටපත් +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 නොහැක. කට-බිල් ඉඩ, කරුණාකර සැකසුම් මිලට ගැනීම පිහිටුවා" @@ -1794,7 +1797,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ගෙවීම @@ -1813,12 +1816,12 @@ 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 +257,"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 +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.","ඔබ මිලදී ගැනීමට හෝ විකිණීමට ඇති ඔබේ නිෂ්පාදන හෝ සේවා ලැයිස්තුගත කරන්න. ඔබ ආරම්භ කරන විට විෂය සමූහය, නු සහ අනෙකුත් ගුණාංග ඒකකය පරීක්ෂා කිරීමට වග බලා ගන්න." 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: Asset Movement,Asset Movement,වත්කම් ව්යාපාරය -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,නව කරත්ත +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,රෝද @@ -1844,7 +1847,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,අයිතම මිලදී ගැනීම ලැබීම් සිට ලබා ගන්න DocType: Serial No,Creation Date,නිර්මාණ දිනය apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},අයිතමය {0} මිල ලැයිස්තුව {1} තුළ කිහිපවතාවක් පෙනී -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","සඳහා අදාළ {0} ලෙස තෝරා ගන්නේ නම් විකිණීම, පරීක්ෂා කළ යුතු" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","සඳහා අදාළ {0} ලෙස තෝරා ගන්නේ නම් විකිණීම, පරීක්ෂා කළ යුතු" DocType: Production Plan Material Request,Material Request Date,ද්රව්ය ඉල්ලීම දිනය DocType: Purchase Order Item,Supplier Quotation Item,සැපයුම්කරු උද්ධෘත අයිතමය DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,නිෂ්පාදන නියෝග එරෙහිව කාලය ලඝු-සටහන් හි නිර්මාණය අක්රීය කරයි. මෙහෙයුම් නිෂ්පාදන න්යාය එරෙහිව දම්වැල් මත ධාවනය වන නොලැබේ @@ -1861,12 +1864,12 @@ DocType: Supplier,Supplier of Goods or Services.,භාණ්ඩ ෙහෝ ෙ DocType: Budget,Fiscal Year,මුදල් වර්ෂය DocType: Vehicle Log,Fuel Price,ඉන්ධන මිල DocType: Budget,Budget,අයවැය -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ස්ථාවර වත්කම් අයිතමය නොවන කොටස් අයිතමය විය යුතුය. +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 +209,e.g. 5,උදා: 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,ඔබ විකුණුම් ඉන්වොයිසිය බේරා වරක් වචන දෘශ්යමාන වනු ඇත. @@ -1875,7 +1878,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 +263,A Product or Service,භාණ්ඩයක් හෝ සේවාවක් +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,වත්මන් වටිනාකම @@ -1950,7 +1953,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pair +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pair apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න DocType: Asset,Depreciation Schedule,ක්ෂය උපෙල්ඛනෙය් apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,"විකුණුම් සහකරු, ලිපින හා සම්බන්ධ වන්න" @@ -1969,10 +1972,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},අයිතමය {0} සඳහා අයිතමය ස්වාමියා සඳහන් කර නැත අයිතමය සමූහ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය +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,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය DocType: Shipping Rule Condition,Shipping Amount,නැව් ප්රමාණය -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ගනුදෙනුකරුවන් එකතු +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,පාවා @@ -1989,6 +1992,7 @@ DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගි ,Supplier-Wise Sales Analytics,සැපයුම්කරු ප්රාඥ විකුණුම් විශ්ලේෂණ apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ු ර් ඇතුලත් කරන්න DocType: Salary Structure,Select employees for current Salary Structure,වත්මන් වැටුප ව හය සඳහා සේවකයින් තෝරා +DocType: Sales Invoice,Company Address Name,සමාගම ලිපිනය නම 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)","මව් පාඨමාලාව (මෙම මව් පාඨමාලාව කොටසක් නොවේ නම්, හිස්ව තබන්න)" @@ -2009,7 +2013,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 +269,Unit,ඒකකය +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,ඔබ ප්රතික්ෂේප භාණ්ඩ තොගය පවත්වා කොහෙද පොත් ගබඩාව @@ -2030,7 +2034,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය විකුණුම් සාමය, විකුණුම් ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: කාලය හා කලට අනිවාර්ය වේ. DocType: Stock Reconciliation Item,Amount Difference,මුදල වෙනස @@ -2039,7 +2043,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,කලාපය අනුව ගනුදෙනුකරුවන් වර්ගීකරණය apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,වෙනස ප්රමාණය ශුන්ය විය යුතුය DocType: Project,Gross Margin,දළ ආන්තිකය -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,නිෂ්පාදන අයිතමය පළමු ඇතුලත් කරන්න +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 +748,Quotation,උද්ධෘත @@ -2051,7 +2055,7 @@ 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: Opportunity,Customer / Lead Address,ගණුදෙනුකරු / ඊයම් ලිපිනය -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},අවවාදයයි: ඇමුණුමක් {0} මත වලංගු නොවන SSL සහතිකය +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},අවවාදයයි: ඇමුණුමක් {0} මත වලංගු නොවන SSL සහතිකය DocType: Student Admission,Eligibility,සුදුසුකම් apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ආදර්ශ ඔබේ නායකත්වය ලෙස ඔබගේ සියලු සම්බන්ධතා සහ තවත් එකතු කරන්න, ඔබ ව්යාපාරය ලබා ගැනීමට උදව්" DocType: Production Order Operation,Actual Operation Time,සැබෑ මෙහෙයුම කාල @@ -2070,11 +2074,11 @@ DocType: Appraisal,Calculate Total Score,මුළු ලකුණු ගණන DocType: Request for Quotation,Manufacturing Manager,නිෂ්පාදන කළමනාකරු apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},අනු අංකය {0} {1} දක්වා වගකීමක් යටතේ apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ඇසුරුම් සැපයුම් සටහන බෙදී ගියේ ය. -apps/erpnext/erpnext/hooks.py +87,Shipments,භාණ්ඩ නිකුත් කිරීම් +apps/erpnext/erpnext/hooks.py +94,Shipments,භාණ්ඩ නිකුත් කිරීම් DocType: Payment Entry,Total Allocated Amount (Company Currency),මුළු වෙන් කළ මුදල (සමාගම ව්යවහාර මුදල්) DocType: Purchase Order Item,To be delivered to customer,පාරිභෝගිකයා වෙත බාර දීමට DocType: BOM,Scrap Material Cost,පරණ ද්රව්ය පිරිවැය -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,අනු අංකය {0} ඕනෑම ගබඩා අයිති නැත +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,අනු අංකය {0} ඕනෑම ගබඩා අයිති නැත DocType: Purchase Invoice,In Words (Company Currency),වචන (සමාගම ව්යවහාර මුදල්) දී DocType: Asset,Supplier,සැපයුම්කරු DocType: C-Form,Quarter,කාර්තුවේ @@ -2088,11 +2092,10 @@ DocType: Employee Loan,Employee Loan Account,සේවක ණය ගිණුම DocType: Leave Application,Total Leave Days,මුළු නිවාඩු දින DocType: Email Digest,Note: Email will not be sent to disabled users,සටහන: විද්යුත් තැපෑල ආබාධිත පරිශීලකයන් වෙත යවනු නොලැබේ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,අන්තර් ක්රියාකාරිත්වය සංඛ්යාව -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,අයිතමය සංග්රහයේ> අයිතමය සමූහ> වෙළඳ නාමය 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 +408,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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",කරුණාකර බෙ එක් පේළිය වෙන් කළ මුදල ඉන්වොයිසිය වර්ගය හා ඉන්වොයිසිය අංකය තෝරා @@ -2136,7 +2139,8 @@ 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,විධායක නිලධාරී DocType: Expense Claim Detail,Expense Claim Detail,වියදම් හිමිකම් විස්තර -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,කරුණාකර නිවැරදි ගිණුම තෝරා +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,සැපයුම්කරු සඳහා පිටපත් තුනකින් +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,කරුණාකර නිවැරදි ගිණුම තෝරා DocType: Item,Weight UOM,සිරුරේ බර UOM DocType: Salary Structure Employee,Salary Structure Employee,වැටුප් ව්යුහය සේවක DocType: Employee,Blood Group,ලේ වර්ගය @@ -2158,7 +2162,7 @@ DocType: Student,Guardians,භාරකරුවන් 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 +336,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ඉල්ලුමට කාලීන @@ -2171,7 +2175,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},මුළු න DocType: BOM Website Operation,BOM Website Operation,ද්රව්ය ලේඛණය වෙබ් අඩවිය මෙහෙයුම apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ඉල්ලුමට ලිපිය apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ද්රව්ය ඉල්ලීම් (භා.අ.සැ.) සහ නිෂ්පාදන නියෝග උත්පාදනය. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,මුළු ඉන්වොයිස් ඒඑම්ටී +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,මුළු ඉන්වොයිස් ඒඑම්ටී DocType: BOM,Conversion Rate,පරිවර්තන අනුපාතය apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,නිෂ්පාදන සෙවුම් DocType: Timesheet Detail,To Time,වේලාව @@ -2185,7 +2189,7 @@ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +124,Row {0}: Compl 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 සේවක -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} අයිතමය {1} සඳහා අවශ්ය අනු ගණන්. ඔබ {2} විසින් ජනතාවට ලබා දී ඇත. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} අයිතමය {1} සඳහා අවශ්ය අනු ගණන්. ඔබ {2} විසින් ජනතාවට ලබා දී ඇත. DocType: Stock Reconciliation Item,Current Valuation Rate,වත්මන් තක්සේරු අනුපාත DocType: Item,Customer Item Codes,පාරිභෝගික අයිතමය කේත apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,විනිමය ලාභ / අඞු කිරීමට @@ -2233,7 +2237,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 +2454,Select Batch No,කණ්ඩායම තේරීම් නොමැත +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,උසස් මුදල @@ -2257,19 +2261,19 @@ DocType: Leave Block List,Allow Users,පරිශීලකයන් ඉඩ ද DocType: Purchase Order,Customer Mobile No,පාරිභෝගික ජංගම නොමැත DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,නිෂ්පාදන ක්ෂේත්රය තුළට හෝ කොට්ඨාශ සඳහා වෙන වෙනම ආදායම් සහ වියදම් නිරීක්ෂණය කරන්න. DocType: Rename Tool,Rename Tool,මෙවලම නැවත නම් කරන්න -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,යාවත්කාලීන වියදම +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 +438,Show Salary Slip,වැටුප පුරවා පෙන්වන්න apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,බදු එකතු කරන්න +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,අයවැය ගිණුම් @@ -2280,6 +2284,7 @@ DocType: Stock Entry,Purchase Receipt No,මිලදී ගැනීම රි apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,අර්නස්ට් මුදල් DocType: Process Payroll,Create Salary Slip,වැටුප පුරවා නිර්මාණය apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,පාලනයන් යනාදී +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / මණ්ඩල උපදේශක කමිටුව සංග්රහයේ 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,සේවක @@ -2309,7 +2314,7 @@ DocType: Employee Education,Post Graduate,පශ්චාත් උපාධි DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,නඩත්තු උපෙල්ඛනෙය් විස්තර DocType: Quality Inspection Reading,Reading 9,කියවීම් 9 DocType: Supplier,Is Frozen,ශීත කළ ඇත -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,සමූහ node එකක් මතම ඊට අදාල තේ ගබඩාවක් ගනුදෙනු සඳහා තෝරා ගැනීමට ඉඩ නැත +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,සමූහ node එකක් මතම ඊට අදාල තේ ගබඩාවක් ගනුදෙනු සඳහා තෝරා ගැනීමට ඉඩ නැත DocType: Buying Settings,Buying Settings,සැකසුම් මිලට ගැනීම DocType: Stock Entry Detail,BOM No. for a Finished Good Item,නිමි යහපත් අයිතමය සඳහා ද ෙව් අංක DocType: Upload Attendance,Attendance To Date,දිනය සඳහා සහභාගී @@ -2325,13 +2330,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය." +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.js +153,You can not change rate if BOM mentioned agianst any item,ඔබ අනුපාතය වෙනස් කළ නොහැක ද්රව්ය ලේඛණය යම් භාණ්ඩයක agianst සඳහන් නම් +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,ප්රමාණ සඳහා apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},පේළියේ දී අයිතමය {0} සඳහා සැලසුම් යවන ලද ඇතුලත් කරන්න {1} @@ -2353,7 +2358,7 @@ DocType: Authorization Rule,Authorized Value,බලයලත් අගය DocType: BOM,Show Operations,මෙහෙයුම් පෙන්වන්න ,Minutes to First Response for Opportunity,අවස්ථා සඳහා පළමු ප්රතිචාර සඳහා විනාඩි apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,මුළු නැති කල -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,නු ඒකකය DocType: Fiscal Year,Year End Date,වසර අවසාන දිනය DocType: Task Depends On,Task Depends On,කාර්ය සාධක මත රඳා පවතී @@ -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 +106,Cannot produce more Item {0} than Sales Order quantity {1},විකුණුම් සාමය ප්රමාණය {1} වඩා වැඩි අයිතමය {0} බිහි කිරීමට නොහැක +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/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,ඊළඟ අමතන්න වන විට පෙරමුණ විද්යුත් තැපැල් ලිපිනය ලෙස සමාන විය නොහැකි @@ -2523,9 +2528,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ref DocType: Budget,Cost Center,පිරිවැය මධ්යස්ථානය apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,වවුචරය # DocType: Notification Control,Purchase Order Message,මිලදී ගැනීමේ නියෝගයක් පණිවුඩය @@ -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 +1165,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,කොටස් සැකසුම් @@ -2560,7 +2565,7 @@ DocType: Project,Task Completion,කාර්ය සාධක සම්පූර apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,නැහැ දී කොටස් DocType: Appraisal,HR User,මානව සම්පත් පරිශීලක DocType: Purchase Invoice,Taxes and Charges Deducted,බදු හා බදු ගාස්තු අඩු කිරීමේ -apps/erpnext/erpnext/hooks.py +116,Issues,ගැටලු +apps/erpnext/erpnext/hooks.py +124,Issues,ගැටලු apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},තත්ත්වය {0} එකක් විය යුතුය DocType: Sales Invoice,Debit To,ඩෙබිට් කිරීම DocType: Delivery Note,Required only for sample item.,නියැදි අයිතමය සඳහා පමණක් අවශ්ය විය. @@ -2589,6 +2594,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,භූමි ප්රදේශය apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,අවශ්ය සංචාර ගැන කිසිදු සඳහනක් කරන්න DocType: Stock Settings,Default Valuation Method,පෙරනිමි තක්සේරු ක්රමය +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ගාස්තු DocType: Vehicle Log,Fuel Qty,ඉන්ධන යවන ලද DocType: Production Order Operation,Planned Start Time,සැලසුම් අරඹන්න කාල DocType: Course,Assessment,තක්සේරු @@ -2598,12 +2604,12 @@ 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 +149,Quotation {0} is cancelled,උද්ධෘත {0} අවලංගුයි -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල DocType: Sales Partner,Targets,ඉලක්ක DocType: Price List,Price List Master,මිල ලැයිස්තුව මාස්ටර් DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,සියලු විකුණුම් ගනුදෙනු බහු ** විකුණුම් පුද්ගලයින් එරෙහිව tagged කළ හැකි ** ඔබ ඉලක්ක තබා නිරීක්ෂණය කළ හැකි බව එසේ. ,S.O. No.,SO අංක -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},ඊයම් සිට පාරිභෝගික {0} නිර්මාණය කරන්න +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},ඊයම් සිට පාරිභෝගික {0} නිර්මාණය කරන්න DocType: Price List,Applicable for Countries,රටවල් සඳහා අදාළ වන apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,'අනුමත' සහ 'ප්රතික්ෂේප' ඉදිරිපත් කළ හැකි එකම තත්ත්වය සහිත යෙදුම් තබන්න apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},ශිෂ්ය සමූහය නම පේළිය {0} අනිවාර්ය වේ @@ -2641,6 +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},පෙරනිමි ද්රව්ය ලේඛණය අයිතමය {0} සඳහා සොයාගත නොහැකි හා ව්යාපෘති {1} apps/erpnext/erpnext/config/hr.py +163,Define various loan types,විවිධ ණය වර්ග නිර්වචනය DocType: Bin,FCFS Rate,FCFS අනුපාතිකය DocType: Payment Reconciliation Invoice,Outstanding Amount,හිඟ මුදල @@ -2683,8 +2690,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,නිෂ්පාදන 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.,වට්ටමක් ප්රතිශතය ඉතා මිල ලැයිස්තුව එරෙහිව හෝ සියලුම මිල ලැයිස්තුව සඳහා එක්කෝ ඉල්ලුම් කළ හැක. DocType: Purchase Invoice,Half-yearly,අර්ධ වාර්ෂික apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන් +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,තක්සේරු නිර්ණායක {} සඳහා ඔබ දැනටමත් තක්සේරු කර ඇත. DocType: Vehicle Service,Engine Oil,එන්ජින් ඔයිල් -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,මානව සම්පත් පද්ධතිය අනුප්රාප්තිකයා නම් කිරීම කරුණාකර පිහිටුවීම් සේවක> මානව සම්පත් සැකසුම් 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,පාරිභෝගික ලිපිනය @@ -2712,7 +2719,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,සංවිධානය සතු ගිණුම් වෙනම සටහන සමග නීතිමය ආයතනයක් / පාලිත. DocType: Payment Request,Mute Email,ගොළු විද්යුත් apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ආහාර, බීම වර්ග සහ දුම්කොළ" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},එකම unbilled {0} එරෙහිව ගෙවීම් කරන්න පුළුවන් +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},එකම unbilled {0} එරෙහිව ගෙවීම් කරන්න පුළුවන් apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,කොමිසම අනුපාතය 100 ට වඩා වැඩි විය නොහැක DocType: Stock Entry,Subcontract,උප කොන්ත්රාත්තුව apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,{0} ඇතුලත් කරන්න පළමු @@ -2740,7 +2747,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,ශිෂ්ය මාසික පැමිණීම පත්රය apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},සේවක {0} දැනටමත් {1} {2} සහ {3} අතර සඳහා ඉල්ලුම් කර තිබේ apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ව්යාපෘති ආරම්භක දිනය -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,තුරු +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,තුරු DocType: Rename Tool,Rename Log,ඇතුළුවන්න නැවත නම් කරන්න apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,ශිෂ්ය කණ්ඩායම් හෝ පාඨමාලාව උපෙල්ඛනෙය් අනිවාර්ය වේ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,ශිෂ්ය කණ්ඩායම් හෝ පාඨමාලාව උපෙල්ඛනෙය් අනිවාර්ය වේ @@ -2765,7 +2772,7 @@ DocType: Purchase Order Item,Returned Qty,හැරී ආපසු පැමි DocType: Employee,Exit,පිටවීම apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,මූල වර්ගය අනිවාර්ය වේ DocType: BOM,Total Cost(Company Currency),මුළු වියදම (සමාගම ව්යවහාර මුදල්) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,අනු අංකය {0} නිර්මාණය +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,අනු අංකය {0} නිර්මාණය DocType: Homepage,Company Description for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සමාගම විස්තරය DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","ගනුදෙනුකරුවන්ගේ පහසුව සඳහා, මෙම කේත ඉන්වොයිසි හා සැපයුම් සටහන් වැනි මුද්රිත ආකෘති භාවිතා කළ හැක" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier නම @@ -2786,7 +2793,7 @@ DocType: SMS Settings,SMS Gateway URL,කෙටි පණිවුඩ ගේට apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,පාඨමාලා කාලසටහන මකා: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,කෙටි පණිවිඩ බෙදා හැරීමේ තත්වය පවත්වා ගෙන යාම සඳහා ලඝු-සටහන් DocType: Accounts Settings,Make Payment via Journal Entry,ජර්නල් සටහන් හරහා ගෙවීම් කරන්න -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,මුද්රණය +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,මුද්රණය DocType: Item,Inspection Required before Delivery,පරීක්ෂණ සැපයුම් පෙර අවශ්ය DocType: Item,Inspection Required before Purchase,පරීක්ෂණ මිලදී ගැනීම පෙර අවශ්ය apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,විභාග කටයුතු @@ -2818,9 +2825,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ශිෂ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,සීමාව ඉක්මවා ගොස් apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,මෙම 'අධ්යයන වර්ෂය' {0} සහ {1} දැනටමත් පවතී 'කාලීන නම' සමග ශාස්ත්රීය පදය. මෙම ඇතුළත් කිරීම් වෙනස් කර නැවත උත්සාහ කරන්න. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","අයිතමය {0} එරෙහිව දැනට පවතින ගනුදෙනු ඇත ලෙස, ඔබ {1} වටිනාකම වෙනස් කළ නොහැක" +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}","අයිතමය {0} එරෙහිව දැනට පවතින ගනුදෙනු ඇත ලෙස, ඔබ {1} වටිනාකම වෙනස් කළ නොහැක" DocType: UOM,Must be Whole Number,මුළු අංකය විය යුතුය DocType: Leave Control Panel,New Leaves Allocated (In Days),වෙන් අලුත් කොළ (දින දී) +DocType: Sales Invoice,Invoice Copy,ඉන්වොයිසිය පිටපත් apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,අනු අංකය {0} නොපවතියි DocType: Sales Invoice Item,Customer Warehouse (Optional),පාරිභෝගික ගබඩාව (විකල්ප) DocType: Pricing Rule,Discount Percentage,වට්ටමක් ප්රතිශතය @@ -2866,8 +2874,10 @@ 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 +305,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,සමුච්චිත ක්ෂය ගිණුම DocType: Stock Settings,Freeze Stock Entries,කැටි කොටස් අයැදුම්පත් +DocType: Program Enrollment,Boarding Student,බෝඩිං ශිෂ්ය DocType: Asset,Expected Value After Useful Life,ප්රයෝජනවත් ලයිෆ් පසු අපේක්ෂිත අගය DocType: Item,Reorder level based on Warehouse,ගබඩාව මත පදනම් මොහොත මට්ටමේ DocType: Activity Cost,Billing Rate,බිල්පත් අනුපාතය @@ -2895,11 +2905,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,සිසුන් ක්රියාකාරකම් පදනම් කණ්ඩායම සඳහා තෝරා DocType: Journal Entry,User Remark,පරිශීලක අදහස් දැක්වීම් DocType: Lead,Market Segment,වෙළෙඳපොළ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ු ර් මුළු සෘණ හිඟ මුදල {0} වඩා වැඩි විය නොහැකි +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ු ර් මුළු සෘණ හිඟ මුදල {0} වඩා වැඩි විය නොහැකි DocType: Employee Internal Work History,Employee Internal Work History,සේවක අභ්යන්තර රැකියා ඉතිහාසය apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),වැසීම (ආචාර්ය) DocType: Cheque Print Template,Cheque Size,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් තරම" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,අනු අංකය {0} නොවේ කොටස් +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,අනු අංකය {0} නොවේ කොටස් apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ගනුදෙනු විකිණීම සඳහා බදු ආකෘතියකි. DocType: Sales Invoice,Write Off Outstanding Amount,විශිෂ්ට මුදල කපා apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ගිණුමක් {0} සමාගම සමග නොගැලපේ {1} @@ -2924,7 +2934,7 @@ 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 +348,Add a few sample records,නියැදි වාර්තා කිහිපයක් එකතු කරන්න +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,17 +2948,17 @@ 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 +418,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක් apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,අනු අංකය හා කණ්ඩායම DocType: Warranty Claim,From Company,සමාගම වෙතින් -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,තක්සේරු නිර්ණායකයන් ලකුණු මුදලක් {0} විය යුතුය. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,තක්සේරු නිර්ණායකයන් ලකුණු මුදලක් {0} විය යුතුය. 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 +270,Minute,ව්යවස්ථාව +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,ව්යවස්ථාව DocType: Purchase Invoice,Purchase Taxes and Charges,මිලදී බදු හා ගාස්තු ,Qty to Receive,ලබා ගැනීමට යවන ලද DocType: Leave Block List,Leave Block List Allowed,වාරණ ලැයිස්තුව අනුමත නිවාඩු @@ -2969,7 +2979,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,බැංකු අයිරා ගිණුමක් apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,වැටුප පුරවා ගන්න apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,පේළියේ # {0}: වෙන් කළ මුදල ගෙවීමට ඇති මුදල වඩා වැඩි විය නොහැක. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ගවේශක ද්රව්ය ලේඛණය +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ගවේශක ද්රව්ය ලේඛණය apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ආරක්ෂිත ණය DocType: Purchase Invoice,Edit Posting Date and Time,"සංස්කරණය කරන්න ගිය තැන, දිනය හා වේලාව" apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},වත්කම් ප්රවර්ගය {0} හෝ සමාගම {1} තුළ ක්ෂය සම්බන්ධ ගිණුම් සකස් කරන්න @@ -2985,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 +278,Select Quantity,ප්රමාණ තෝරා +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 සිට වනවාද," @@ -3008,6 +3018,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},{0} කට වඩා පැරණි කොටස් ගනුදෙනු යාවත්කාලීන කිරීමට අවසර නැත DocType: Purchase Invoice Item,PR Detail,මහජන සම්බන්ධතා විස්තර DocType: Sales Order,Fully Billed,පූර්ණ අසූහත +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය 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 +127,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),ඇසුරුම් දළ බර. ශුද්ධ බර + ඇසුරුම් ද්රව්ය බර සාමාන්යයෙන්. (මුද්රිත) @@ -3046,8 +3057,9 @@ 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} ඉදිරිපත් කර නැත DocType: Customs Tariff Number,Tariff Number,ගාස්තු අංකය +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP ගබඩා ලබා ගත හැක යවන ලද apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ප්රක්ෂේපිත -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},අනු අංකය {0} ගබඩා {1} අයත් නොවේ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},අනු අංකය {0} ගබඩා {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,සටහන: පද්ධතිය අයිතමය සඳහා අධික ලෙස බෙදාහැරීම හා අධික ලෙස වෙන්කර ගැනීම පරීක්ෂා නැහැ {0} ප්රමාණය හෝ ප්රමාණය 0 ලෙස DocType: Notification Control,Quotation Message,උද්ධෘත පණිවුඩය DocType: Employee Loan,Employee Loan Application,සේවක ණය ඉල්ලුම් @@ -3066,13 +3078,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,වියදම වවුචරයක් මුදල ගොඩ බස්වන ලදී apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,සැපයුම්කරුවන් විසින් මතු බිල්පත්. DocType: POS Profile,Write Off Account,ගිණුම අක්රිය ලියන්න -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,හර සටහන ඒඑම්ටී +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,හර සටහන ඒඑම්ටී apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,වට්ටමක් මුදල 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 +207,e.g. VAT,උදා: එකතු කළ අගය මත බදු +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,උප-කොන්ත්රාත් @@ -3080,7 +3092,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 +1945,Please select customer,කරුණාකර පාරිභෝගික තෝරා +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,කරුණාකර පාරිභෝගික තෝරා DocType: C-Form,I,මම DocType: Company,Asset Depreciation Cost Center,වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය DocType: Sales Order Item,Sales Order Date,විකුණුම් සාමය දිනය @@ -3109,7 +3121,7 @@ DocType: Lead,Address Desc,ෙමරට ලිපිනය DESC apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,පක්ෂය අනිවාර්ය වේ DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,මාතෘකාව නම -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,මෙම විකිණීම හෝ මිලදී ගැනීමේ ආයෝජිත තෝරාගත් කළ යුතුය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,මෙම විකිණීම හෝ මිලදී ගැනීමේ ආයෝජිත තෝරාගත් කළ යුතුය apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ඔබේ ව්යාපාරයේ ස්වභාවය තෝරන්න. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},පේළියේ # {0}: ආශ්රිත {1} {2} හි දෙවන පිටපත ප්රවේශය apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,නිෂ්පාදන මෙහෙයුම් සිදු කරනු ලැබේ කොහෙද. @@ -3118,7 +3130,7 @@ 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} DocType: Employee,Confirmation Date,ස්ථිර කිරීම දිනය DocType: C-Form,Total Invoiced Amount,මුළු ඉන්වොයිස් මුදල -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,යි යවන ලද මැක්ස් යවන ලද වඩා වැඩි විය නොහැකි +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,යි යවන ලද මැක්ස් යවන ලද වඩා වැඩි විය නොහැකි DocType: Account,Accumulated Depreciation,සමුච්චිත ක්ෂය DocType: Stock Entry,Customer or Supplier Details,පාරිභෝගික හෝ සැපයුම්කරු විස්තර DocType: Employee Loan Application,Required by Date,දිනය අවශ්ය @@ -3147,10 +3159,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,මිලද apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,සමාගම් නම සමාගම විය නොහැකි apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,මුද්රණය සැකිලි සඳහා ලිපිය ධා. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,මුද්රණය සැකිලි සඳහා මාතෘකා Proforma ඉන්වොයිසිය වර්ග උදා. +DocType: Program Enrollment,Walking,ඇවිදීම DocType: Student Guardian,Student Guardian,ශිෂ්ය ගාඩියන් apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,තක්සේරු වර්ගය චෝදනා සියල්ල ඇතුළත් ලෙස සලකුණු නොහැකි DocType: POS Profile,Update Stock,කොටස් යාවත්කාලීන -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,භාණ්ඩ සඳහා විවිධ UOM වැරදි (මුළු) ශුද්ධ බර අගය කිරීමට හේතු වනු ඇත. එක් එක් භාණ්ඩය ශුද්ධ බර එම UOM ඇති බව තහවුරු කර ගන්න. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,ද්රව්ය ලේඛණය අනුපාතිකය DocType: Asset,Journal Entry for Scrap,ලාංකික සඳහා ජර්නල් සටහන් @@ -3204,7 +3216,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,බදු බිඳී පෙන්වන්න apps/erpnext/erpnext/accounts/party.py +308,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,සිසුන් හමු කිසිදු @@ -3224,14 +3235,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,කිසිදු ශිෂ්ය +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 +108,Please enter 'Expected Delivery Date','අපේක්ෂිත භාර දීම දිනය' ඇතුලත් කරන්න apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,වලංගු නොවන GSTIN හෝ ලියාපදිංචි නොකල සඳහා එන් ඇතුලත් කරන්න +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,වලංගු නොවන GSTIN හෝ ලියාපදිංචි නොකල සඳහා එන් ඇතුලත් කරන්න DocType: Training Event,Seminar,සම්මන්ත්රණය DocType: Program Enrollment Fee,Program Enrollment Fee,වැඩසටහන ඇතුළත් ගාස්තු DocType: Item,Supplier Items,සැපයුම්කරු අයිතම @@ -3261,21 +3272,23 @@ DocType: Sales Team,Contribution (%),දායකත්වය (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,සටහන: 'මුදල් හෝ බැංකු ගිණුම්' දක්වන නොවීම නිසා ගෙවීම් සටහන් නිර්මාණය කළ නොහැකි වනු ඇත apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,වගකීම් DocType: Expense Claim Account,Expense Claim Account,වියදම් හිමිකම් ගිණුම +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,සැකසුම> සැකසීම්> කිරීම අනුප්රාප්තිකයා නම් කිරීම ශ්රේණි හරහා {0} සඳහා ශ්රේණි කිරීම අනුප්රාප්තිකයා නම් කිරීම සකස් කරන්න 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,පරිශීලකයන් එකතු කරන්න 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 කට වඩා වැඩි විය නොහැක. DocType: Stock Reconciliation Item,Before reconciliation,සංහිඳියාව පෙර apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} වෙත DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),එකතු කරන බදු හා ගාස්තු (සමාගම ව්යවහාර මුදල්) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"අයිතමය බදු ෙරෝ {0} වර්ගය බදු හෝ ආදායම් හෝ වියදම් හෝ අයකරනු ලබන ගාස්තු, ක ගිණුමක් තිබිය යුතු" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"අයිතමය බදු ෙරෝ {0} වර්ගය බදු හෝ ආදායම් හෝ වියදම් හෝ අයකරනු ලබන ගාස්තු, ක ගිණුමක් තිබිය යුතු" DocType: Sales Order,Partly Billed,අර්ධ වශයෙන් අසූහත apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,අයිතමය {0} ස්ථාවර වත්කම් අයිතමය විය යුතුය DocType: Item,Default BOM,පෙරනිමි ද්රව්ය ලේඛණය -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,හර සටහන මුදල +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,හර සටහන මුදල apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,තහවුරු කිරීමට සමාගමේ නම වර්ගයේ නැවත කරුණාකර -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,මුළු විශිෂ්ට ඒඑම්ටී +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,මුළු විශිෂ්ට ඒඑම්ටී DocType: Journal Entry,Printing Settings,මුද්රණ සැකසුම් DocType: Sales Invoice,Include Payment (POS),ගෙවීම් (POS) ඇතුළත් වේ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},මුළු ඩෙබිට් මුළු ණය සමාන විය යුතු ය. වෙනස {0} වේ @@ -3283,20 +3296,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,රථ DocType: Vehicle,Insurance Company,රක්ෂණ සමාගම DocType: Asset Category Account,Fixed Asset Account,ස්ථාවර වත්කම් ගිණුම් apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,විචල්ය -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,සැපයුම් සටහන +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,සැපයුම් සටහන DocType: Student,Student Email Address,ශිෂ්ය විද්යුත් තැපැල් ලිපිනය DocType: Timesheet Detail,From Time,වේලාව සිට apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ගබඩාවේ ඇත: DocType: Notification Control,Custom Message,රේගු පණිවුඩය apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ආයෝජන බැංකු කටයුතු apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,මුදල් හෝ බැංකු ගිණුම් ගෙවීම් ප්රවේශය ගැනීම සඳහා අනිවාර්ය වේ -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> අංක ශ්රේණි හරහා පැමිණීම සඳහා පිහිටුවීම් අංක මාලාවක් apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ශිෂ්ය ලිපිනය apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ශිෂ්ය ලිපිනය 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 +1517,Address Name,ලිපිනය නම +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ලිපිනය නම DocType: Stock Entry,From BOM,ද්රව්ය ලේඛණය සිට DocType: Assessment Code,Assessment Code,තක්සේරු සංග්රහයේ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,මූලික @@ -3313,7 +3325,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත. +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/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,මාසික නැවත ගෙවීමේ ප්රමාණය ණය මුදල වඩා වැඩි විය නොහැකි @@ -3321,7 +3333,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,ශිෂ්ය දැනටමත් ලියාපදිංචි කර ඇත. @@ -3330,7 +3342,7 @@ DocType: Process Payroll,Process Payroll,ක්රියාවලිය වැ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,වැඩ කරන දින වැඩි නිවාඩු දින මෙම මාසය ඇත. DocType: Product Bundle Item,Product Bundle Item,නිෂ්පාදන පැකේජය අයිතමය DocType: Sales Partner,Sales Partner Name,විකුණුම් සහකරු නම -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,මිල කැඳවීම ඉල්ලීම +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,මිල කැඳවීම ඉල්ලීම DocType: Payment Reconciliation,Maximum Invoice Amount,උපරිම ඉන්වොයිසි මුදල DocType: Student Language,Student Language,ශිෂ්ය භාෂා apps/erpnext/erpnext/config/selling.py +23,Customers,පාරිභෝගිකයන් @@ -3341,7 +3353,7 @@ DocType: Asset,Partially Depreciated,අර්ධ වශයෙන් අවප DocType: Issue,Opening Time,විවෘත වේලාව apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,හා අවශ්ය දිනයන් සඳහා apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,සුරැකුම්පත් සහ වෙළඳ භාණ්ඩ විනිමය -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය '{0}' සැකිල්ල මෙන් ම විය යුතුයි '{1}' +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 +847,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,අමුදව්ය +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,බදු මුදල වට්ටම් මුදල පසු @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,විවෘත දිනය දිනය අවසන් පෙර විය යුතුය -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,සැකසුම> සැකසීම්> කිරීම අනුප්රාප්තිකයා නම් කිරීම ශ්රේණි හරහා {0} සඳහා ශ්රේණි කිරීම අනුප්රාප්තිකයා නම් කිරීම සකස් කරන්න 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.,නිවාඩු මෙම දෙපාර්තමේන්තුව සඳහා අවහිර කර ඇත ඒ සඳහා දින. @@ -3385,8 +3396,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',කාණ්ඩය තක්සේරු 'හෝ' තක්සේරු හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Serialized අයිතමය {0} සඳහා අනු අංක අවශ්ය +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/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,ඉන්වොයිසි සමග සසදන්න ගෙවීම් DocType: Journal Entry,Bank Entry,බැංකු පිවිසුම් DocType: Authorization Rule,Applicable To (Designation),(තනතුර) කිරීම සඳහා අදාළ @@ -3403,7 +3414,7 @@ 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 +270,Hour,පැය +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ඔබ කලාප දිනයන් මත කොළ අනුමත කිරීමට අවසර නැත @@ -3413,7 +3424,7 @@ 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 +645,Point of Sale,", විකුණුම් පේදුරු" +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,", විකුණුම් පේදුරු" DocType: Payment Entry,Received Amount,ලැබී මුදල DocType: GST Settings,GSTIN Email Sent On,යවා GSTIN විද්යුත් DocType: Program Enrollment,Pick/Drop by Guardian,ගාර්ඩියන් පුවත්පත විසින් / Drop ගන්න @@ -3430,8 +3441,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 +270,Gram,ඇට -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය. +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/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 ලබා ගැනීමට අවසර ලැබේ වේ. @@ -3457,14 +3468,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 +465,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,බහු සේවකයන් සඳහා ලකුණ පැමිණීම @@ -3496,7 +3507,7 @@ 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 +436,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,බිල්පත් රාජ්ය @@ -3544,7 +3555,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},වලංගු නොවන විශේෂණය {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',කරුණාකර 'සියලුම තක්සේරු කණ්ඩායම්' හැර වෙනත් තක්සේරු කණ්ඩායම තෝරන්න @@ -3646,16 +3657,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,වැටුප් ස DocType: Program Enrollment Tool,New Academic Year,නව අධ්යයන වර්ෂය apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ආපසු / ක්රෙඩිට් සටහන DocType: Stock Settings,Auto insert Price List rate if missing,වාහන ළ මිල ලැයිස්තුව අනුපාතය අතුරුදහන් නම් -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,මුළු ු ර් +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,මුළු ු ර් DocType: Production Order Item,Transferred Qty,මාරු යවන ලද apps/erpnext/erpnext/config/learn.py +11,Navigating,යාත්රා 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 +272,We sell this Item,අපි මේ විෂය විකිණීම් +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,නියැදි දත්ත 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,අර්ධ දින දිනය @@ -3703,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 +1186,Please set Company,සමාගම සකස් කරන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,සමාගම සකස් කරන්න DocType: Pricing Rule,Buying,මිලදී ගැනීමේ DocType: HR Settings,Employee Records to be created by,සේවක වාර්තා විසින් නිර්මාණය කල DocType: POS Profile,Apply Discount On,වට්ටම් මත අදාළ @@ -3720,13 +3733,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,ගාස්තු එකතු DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} දැනටමත් අයිතමය {1} භාවිතා +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} දැනටමත් අයිතමය {1} භාවිතා DocType: Lead,Add to calendar on this date,මෙම දිනට දින දර්ශනය එක් කරන්න apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,නාවික වියදම් එකතු කිරීම සඳහා වන නීති. DocType: Item,Opening Stock,ආරම්භක තොගය apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,පාරිභෝගික අවශ්ය වේ apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ප්රතිලාභ සඳහා අනිවාර්ය වේ DocType: Purchase Order,To Receive,ලබා ගැනීමට +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,පුද්ගලික විද්යුත් apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,සමස්ත විචලතාව DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","මෙම පහසුකම සක්රීය කළ විට, පද්ධතිය ස්වයංක්රීයව බඩු තොග සඳහා ගිණුම් සටහන් ඇතුළත් කිරීම් පල කරන්නෙමු." @@ -3737,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 +541,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,සම්මත විකිණීම @@ -3745,7 +3759,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Warranty න් DocType: BOM Replace Tool,Replace,ආදේශ apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,නිෂ්පාදන සොයාගත්තේ නැත. -DocType: Production Order,Unstopped,ඇරෙන්නේය apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} විකුණුම් ඉන්වොයිසිය {1} එරෙහිව DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,ව්යාපෘතියේ නම @@ -3756,6 +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} වී ඇත 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} නැති හෝ වෙනත් වවුචරය එරෙහිව මේ වන විටත් අදාල කරගත කරන්නේ @@ -3793,9 +3807,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,අයිතමය {0} නොසලකා එය කොටස් භාණ්ඩයක් නොවන නිසා +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 +40,Submit this Production Order for further processing.,වැඩිදුර සැකසීම සදහා මෙම නිෂ්පාදන න්යාය ඉදිරිපත් කරන්න. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,රැකියා @@ -3803,12 +3817,14 @@ 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 +209,Rate (%),අනුපාතිකය (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","ඔබ හැර, ඔබේ ආයතනය සඳහා භාවිතා කරන්නන් එකතු කරන්න" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',පිරිසක් විසින් 'සමාගම' නම් හිස් පෙරීමට සමාගම සකස් කරන්න apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,"ගිය තැන, දිනය අනාගත දිනයක් විය නොහැකි" apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ෙරෝ # {0}: අනු අංකය {1} {2} {3} සමග නොගැලපේ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,අනියම් නිවාඩු @@ -3837,7 +3853,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,කොටස් ලේජර ස apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ තීරුව හිස්ව තිබිය යුතුයි. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ තීරුව හිස්ව තිබිය යුතුයි. DocType: Accounts Settings,Accounts Settings,ගිණුම් සැකසුම් apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,අනුමත DocType: Customer,Sales Partner and Commission,විකුණුම් සහකරු හා කොමිෂන් සභාව @@ -3852,7 +3868,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,ද්රව්ය ලේඛණය පිපිරීගිය අයිතමය DocType: Account,Auditor,විගණකාධිපති -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ඉදිරිපත් භාණ්ඩ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,ආපසු @@ -3866,7 +3882,7 @@ 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} සමාන විය යුතුයි DocType: Journal Entry Account,Exchange Rate,විනිමය අනුපාතය -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,රථ වාහන කළමනාකරණය @@ -3891,18 +3907,18 @@ 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 +705,Online,සමඟ අමුත්තන් +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} අක්රීය කොට ඇත DocType: Employee Loan,Repay Fixed Amount per Period,කාලය අනුව ස්ථාවර මුදල ආපසු ගෙවීම apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},විෂය {0} සඳහා ප්රමාණය ඇතුලත් කරන්න -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ණය සටහන ඒඑම්ටී +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,ණය සටහන ඒඑම්ටී DocType: Employee External Work History,Employee External Work History,සේවක විදේශ රැකියා ඉතිහාසය DocType: Tax Rule,Purchase,මිලදී apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ශේෂ යවන ලද @@ -3928,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 +2383,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න DocType: Employee,Encashment Date,හැකි ඥාතීන් නොවන දිනය DocType: Training Event,Internet,අන්තර්ජාල DocType: Account,Stock Adjustment,කොටස් ගැලපුම් @@ -3958,6 +3974,7 @@ DocType: Guardian,Guardian Of ,ආරක්ෂකයා DocType: Grading Scale Interval,Threshold,සීමකය DocType: BOM Replace Tool,Current BOM,වත්මන් ද්රව්ය ලේඛණය apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,අනු අංකය එකතු කරන්න +DocType: Production Order Item,Available Qty at Source Warehouse,මූලාශ්රය ගබඩා ලබා ගත හැක යවන ලද apps/erpnext/erpnext/config/support.py +22,Warranty,වගකීම් DocType: Purchase Invoice,Debit Note Issued,ඩෙබිට් සටහන නිකුත් කර ඇත්තේ DocType: Production Order,Warehouses,බඞු ගබඞාව @@ -3973,13 +3990,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ු ර් apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ව්යාපෘති කළමනාකරු ,Quoted Item Comparison,උපුටා අයිතමය සංසන්දනය apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,සරයක -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,අයිතමය සඳහා අවසර මැක්ස් වට්ටමක්: {0} වේ {1}% +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 +279,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 +879,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි" DocType: Item,Material Issue,ද්රව්ය නිකුත් DocType: Hub Settings,Seller Description,විකුණන්නා විස්තරය DocType: Employee Education,Qualification,සුදුසුකම් @@ -4003,7 +4020,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 +200,Cannot cancel because submitted Stock Entry {0} exists,අවලංගු කළ නොහැකි ඉදිරිපත් කොටස් Entry {0} පවතින බැවිනි +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,අවලංගු කළ නොහැකි ඉදිරිපත් කොටස් Entry {0} පවතින බැවිනි DocType: Employee Loan,Disbursement Date,ටහිර දිනය DocType: Vehicle,Vehicle,වාහන DocType: Purchase Invoice,In Words,වචන ගැන @@ -4024,7 +4041,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","මෙම මුදල් වර්ෂය පෙරනිමි ලෙස සැකසීම සඳහා, '' පෙරනිමි ලෙස සකසන්න 'මත ක්ලික් කරන්න" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,එක්වන්න apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,හිඟය යවන ලද -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී DocType: Employee Loan,Repay from Salary,වැටුප් සිට ආපසු ගෙවීම DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},මුදල සඳහා {0} {1} එරෙහිව ගෙවීම් ඉල්ලා {2} @@ -4042,18 +4059,18 @@ 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 +1011,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,අනු අංකය {0} දැනටමත් ලැබී ඇත +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: Expense Claim,Vehicle Log,වාහන ලොග් DocType: Purchase Invoice,Recurring Id,පුනරාවර්තනය අංකය DocType: Customer,Sales Team Details,විකුණුම් කණ්ඩායම විස්තර -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ස්ථිර මකන්නද? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},වලංගු නොවන {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},වලංගු නොවන {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ලෙඩ නිවාඩු DocType: Email Digest,Email Digest,විද්යුත් Digest DocType: Delivery Note,Billing Address Name,බිල්පත් ලිපිනය නම @@ -4066,6 +4083,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,"අයකරනු ලබන ගාස්තු," DocType: Company,Change Abbreviation,කෙටි යෙදුම් වෙනස් DocType: Expense Claim Detail,Expense Date,වියදම් දිනය +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,අයිතමය සංග්රහයේ> අයිතමය සමූහ> වෙළඳ නාමය DocType: Item,Max Discount (%),මැක්ස් වට්ටම් (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,පසුගිය සාමය මුදල DocType: Task,Is Milestone,සංධිස්ථානයක් වන @@ -4089,8 +4107,8 @@ DocType: Program Enrollment Tool,New Program,නව වැඩසටහන DocType: Item Attribute Value,Attribute Value,ගති ලක්ෂණය අගය ,Itemwise Recommended Reorder Level,Itemwise සීරුමාරු කිරීමේ පෙළ නිර්දේශිත DocType: Salary Detail,Salary Detail,වැටුප් විස්තර -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,කරුණාකර පළමු {0} තෝරා -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,කණ්ඩායම {0} අයිතමය ක {1} කල් ඉකුත් වී ඇත. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,කරුණාකර පළමු {0} තෝරා +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,කණ්ඩායම {0} අයිතමය ක {1} කල් ඉකුත් වී ඇත. DocType: Sales Invoice,Commission,කොමිසම apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,නිෂ්පාදන සඳහා කාලය පත්රය. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,උප ශීර්ෂයට @@ -4115,12 +4133,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 +399,Operation Time must be greater than 0 for Operation {0},"වේලාව මෙහෙයුම මෙහෙයුම {0} සඳහා, 0 ට වඩා වැඩි විය යුතුය" +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/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 +387,Production Order cannot be raised against a Item Template,නිෂ්පාදන සාමය සඳහා අයිතමය සැකිල්ල එරෙහිව මතු කළ හැකි නොවේ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,ආරම්භක දිනය @@ -4150,7 +4168,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,බැහැර කිරීමේ දිනය DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","විද්යුත් තැපැල් පණිවුඩ ඔවුන් නිවාඩු නැති නම්, ලබා දී ඇති පැයක දී සමාගමේ සියළු ක්රියාකාරී සේවක වෙත යවනු ලැබේ. ප්රතිචාර සාරාංශය මධ්යම රාත්රියේ යවනු ඇත." DocType: Employee Leave Approver,Employee Leave Approver,සේවක නිවාඩු Approver -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","උද්ධෘත කර ඇති නිසා, අහිමි ලෙස ප්රකාශයට පත් කළ නොහැක." 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} ඉදිරිපත් කළ යුතුය @@ -4184,6 +4202,7 @@ DocType: Announcement,Student,ශිෂ්ය apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,සංවිධානය ඒකකය (අංශය) ස්වාමියා. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,වලංගු ජංගම දුරකථන අංක ඇතුලත් කරන්න apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,යැවීමට පෙර පණිවිඩය ඇතුලත් කරන්න +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,සැපයුම්කරු සඳහා අනුපිටපත් DocType: Email Digest,Pending Quotations,විභාග මිල ගණන් apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,පේදුරු-of-Sale විකිණීමට නරඹන්න apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,කෙටි පණිවුඩ සැකසුම් යාවත්කාලීන කරන්න @@ -4192,7 +4211,7 @@ DocType: Cost Center,Cost Center Name,වියදම මධ්යස්ථා DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Timesheet එරෙහිව උපරිම වැඩ කරන පැය DocType: Maintenance Schedule Detail,Scheduled Date,නියමිත දිනය -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,මුළු ගෙවුම් ඒඑම්ටී +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,මුළු ගෙවුම් ඒඑම්ටී DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,අකුරු 160 ට වඩා වැඩි පණිවිඩ කිහිපයක් පණිවුඩ බෙදී ඇත DocType: Purchase Receipt Item,Received and Accepted,ලැබුණු හා පිළිගත් ,GST Itemised Sales Register,GST අයිතමගත විකුණුම් රෙජිස්ටර් @@ -4202,7 +4221,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 +237,Your Suppliers,ඔබේ සැපයුම්කරුවන් +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',කාණ්ඩය තක්සේරු 'හෝ' Vaulation හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි @@ -4214,7 +4233,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","අර Buy සැකසුම් අනුව මිලදී ගැනීම Reciept අවශ්ය == 'ඔව්' නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීම රිසිට්පත නිර්මාණය කිරීමට අවශ්ය නම්" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,වෙබ් අඩවිය රූප {0} අයිතමය අනුයුක්ත {1} සොයාගත නොහැකි +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.,එම වෙබ් අඩවිය බහු කණ්ඩායම් ෙමම අයිතමය ලැයිස්තුගත කරන්න. @@ -4229,7 +4248,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,එය ක apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ගබඩා කිරීමට apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,සියලු ශිෂ්ය ප්රවේශ ,Average Commission Rate,සාමාන්ය කොමිසම අනුපාතිකය -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'තිබෙනවාද අනු අංකය' නොවන කොටස් අයිතමය සඳහා 'ඔව්' විය නොහැකිය +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'තිබෙනවාද අනු අංකය' නොවන කොටස් අයිතමය සඳහා 'ඔව්' විය නොහැකිය apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,පැමිණීම අනාගත දිනයන් සඳහා සලකුණු කල නොහැක DocType: Pricing Rule,Pricing Rule Help,මිල ගණන් පාලනය උදවු DocType: School House,House Name,හවුස් නම @@ -4245,7 +4264,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 +339,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,රක්ෂණ අරඹන්න දිනය රක්ෂණ අවසාන දිනය වඩා අඩු විය යුතුය @@ -4260,20 +4279,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},සේවක වැටුප් පුරවා {0} දැනටමත් කාල පත්රය {1} සඳහා නිර්මාණය DocType: Vehicle Log,Odometer,Odometer DocType: Sales Order Item,Ordered Qty,නියෝග යවන ලද -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත +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 +874,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 විස්තර apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,වැටුප ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය උත්පාදනය -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","අදාළ සඳහා {0} ලෙස තෝරා ගන්නේ නම් මිලට ගැනීම, පරීක්ෂා කළ යුතු" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","අදාළ සඳහා {0} ලෙස තෝරා ගන්නේ නම් මිලට ගැනීම, පරීක්ෂා කළ යුතු" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,වට්ටමක් 100 කට වඩා අඩු විය යුතු 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 +500,Default BOM for {0} not found,{0} සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ෙරෝ # {0}: කරුණාකර සකස් මොහොත ප්රමාණය +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,වැඩසටහන ඇතුළත් DocType: Landed Cost Voucher,Landed Cost Voucher,වියදම වවුචරයක් ගොඩ බස්වන ලදී @@ -4335,7 +4354,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,මහා විද්යාලය apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,අපේක්ෂිත දිනය ද්රව්ය ඉල්ලීම දිනය පෙර විය නොහැකි DocType: Purchase Invoice Item,Stock Qty,කොටස් යවන ලද -DocType: Production Order,Source Warehouse (for reserving Items),මූලාශ්රය ගබඩාව (අයිතම වෙන්කර සඳහා) DocType: Employee Loan,Repayment Period in Months,මාස තුළ ආපසු ගෙවීමේ කාලය apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,දෝෂය: වලංගු id නොවේ ද? DocType: Naming Series,Update Series Number,යාවත්කාලීන ශ්රේණි අංකය @@ -4384,7 +4402,7 @@ DocType: Production Order,Planned End Date,සැලසුම් අවසාන apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,කොහෙද භාණ්ඩ ගබඩා කර ඇත. DocType: Request for Quotation,Supplier Detail,සැපයුම්කරු විස්තර apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},සූත්රය හෝ තත්ත්වය දෝෂය: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ඉන්වොයිස් මුදල +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ඉන්වොයිස් මුදල DocType: Attendance,Attendance,පැමිණීම apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,කොටස් අයිතම DocType: BOM,Materials,ද්රව්ය @@ -4425,10 +4443,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup මගේ සංවිධානය කිරීම සඳහා සරල වෙබ් අඩවිය +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න DocType: Item,Default Warehouse,පෙරනිමි ගබඩාව apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},අයවැය සමූහ ගිණුම {0} එරෙහිව පවරා ගත නොහැකි apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,මව් වියදම් මධ්යස්ථානය ඇතුලත් කරන්න @@ -4490,7 +4508,7 @@ 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 +1344,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු +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/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,මෙය මේ සේවක පැමිණීම මත පදනම් වේ @@ -4498,6 +4516,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,වසරේ ආරම්භක දිනය DocType: Attendance,Employee Name,සේවක නම DocType: Sales Invoice,Rounded Total (Company Currency),වටකුරු එකතුව (සමාගම ව්යවහාර මුදල්) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,මානව සම්පත් පද්ධතිය අනුප්රාප්තිකයා නම් කිරීම කරුණාකර පිහිටුවීම් සේවක> මානව සම්පත් සැකසුම් 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} වෙනස් කර ඇත. නැවුම් කරන්න. DocType: Leave Block List,Stop users from making Leave Applications on following days.,පහත සඳහන් දිනවල නිවාඩු ඉල්ලුම් කිරීමෙන් පරිශීලකයන් එක නතර කරන්න. @@ -4520,7 +4539,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,කියවීම 3 ,Hub,මධ්යස්ථානයක් DocType: GL Entry,Voucher Type,වවුචරය වර්ගය -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} 'වමේ' ලෙස සකස් කළ යුතු ය මත මුදා සේවක @@ -4540,7 +4559,7 @@ DocType: POS Profile,Account for Change Amount,වෙනස් මුදල ග apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ෙරෝ {0}: පක්ෂය / ගිණුම් {3} {4} තුළ {1} / {2} සමග නොගැලපේ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ගෙවීමේ ගිණුම් ඇතුලත් කරන්න DocType: Account,Stock,කොටස් -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය" DocType: Employee,Current Address,වර්තමාන ලිපිනය DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","නිශ්චිත ලෙස නම් අයිතමය තවත් අයිතමය ක ප්රභේද්යයක් කරනවා නම් විස්තර, ප්රතිරූපය, මිල ගණන්, බදු ආදිය සැකිල්ල සිට ස්ථාපනය කරනු ලබන" DocType: Serial No,Purchase / Manufacture Details,මිලදී ගැනීම / නිෂ්පාදනය විස්තර @@ -4579,11 +4598,12 @@ DocType: Student,Home Address,නිවසේ ලිපිනය apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,වත්කම් මාරු DocType: POS Profile,POS Profile,POS නරඹන්න DocType: Training Event,Event Name,අවස්ථාවට නම -apps/erpnext/erpnext/config/schools.py +39,Admission,ඇතුළත් කර +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,ඇතුළත් කර apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0} සඳහා ප්රවේශ apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","අයිතමය {0} සැකිලි වේ, කරුණාකර එහි විවිධ එකක් තෝරන්න" DocType: Asset,Asset Category,වත්කම් ප්රවර්ගය +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ගැනුම්කරුට apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ශුද්ධ වැටුප් සෘණ විය නොහැකි DocType: SMS Settings,Static Parameters,ස්ථිතික පරාමිතීන් DocType: Assessment Plan,Room,කාමරය @@ -4592,6 +4612,7 @@ DocType: Item,Item Tax,අයිතමය බදු apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,සැපයුම්කරු ද්රව්යමය apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,සුරාබදු ඉන්වොයිසිය apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% වරකට වඩා පෙනී +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,පාරිභෝගික> කස්ටමර් සමූහයේ> දේශසීමාවේ 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,ජංගම වගකීම් @@ -4663,6 +4684,7 @@ DocType: Leave Type,Is Carry Forward,ඉදිරියට ගෙන ඇත apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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}" +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,වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය ඉදිරිපත් නොවන ,Stock Summary,කොටස් සාරාංශය diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv index f2d1e160de..813ab80437 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 +194,"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 +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ť" 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ľ @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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á @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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" DocType: Employee,Holiday List,Dovolená Seznam -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Účtovník +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Účtovník DocType: Cost Center,Stock User,Sklad Užívateľ DocType: Company,Phone No,Telefon apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Plány kurzu vytvoril: @@ -110,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} ž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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nepovolené pre {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Získať predmety z -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,nenájdený položiek +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,stock Reports DocType: Warehouse,Warehouse Detail,Sklad Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Úvěrový limit byla překročena o zákazníka {0} {1} / {2} 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.,"Termínovaný Dátum ukončenia nemôže byť neskôr ako v roku Dátum ukončenia akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1} DocType: Item,Copy From Item Group,Kopírovat z bodu Group DocType: Journal Entry,Opening Entry,Otevření Entry -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Zákaznícka skupina> Územie apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Účet Pay Iba DocType: Employee Loan,Repay Over Number of Periods,Splatiť Over počet období DocType: Stock Entry,Additional Costs,Dodatočné náklady @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nemovitost -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Výpis z účtu +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é DocType: Purchase Invoice Item,Is Fixed Asset,Je dlhodobého majetku apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","K dispozícii je množstvo {0}, musíte {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Spotrebný materiál +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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í @@ -212,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Príklad: Základné Mathematics +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/config/hr.py +214,Settings for HR Module,Nastavenie modulu HR DocType: SMS Center,SMS Center,SMS centrum @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Položky a Ceny apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Celkom hodín: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},"Od data by měla být v rámci fiskálního roku. Za předpokladu, že od data = {0}" +apps/erpnext/erpnext/hooks.py +87,Quotes,citácie DocType: Customer,Individual,Individuální DocType: Interest,Academics User,akademici Užívateľ DocType: Cheque Print Template,Amount In Figure,Na obrázku vyššie @@ -266,7 +267,7 @@ DocType: Employee,Create User,vytvoriť užívateľa DocType: Selling Settings,Default Territory,Výchozí Territory apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televize DocType: Production Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log""" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Množstvo vopred nemôže byť väčšia ako {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Množstvo vopred nemôže byť väčšia ako {0} {1} DocType: Naming Series,Series List for this Transaction,Řada seznam pro tuto transakci DocType: Company,Enable Perpetual Inventory,Povoliť trvalý inventár DocType: Company,Default Payroll Payable Account,"Predvolené mzdy, splatnú Account" @@ -274,7 +275,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 +177,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 +175,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." @@ -282,13 +283,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 +2256,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontakt Meno +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Listy za rok 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 +189,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1} +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 +270,Litre,liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankový Príspevky apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Roční DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reklamní Odsouhlasení Item @@ -316,7 +317,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 +316,People who teach at your organisation,"Ľudia, ktorí vyučujú vo vašej organizácii" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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í @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,Umožňujú užívateľovi upravova 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 +699,Item {0} is cancelled,Položka {0} je zrušená +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 +882,Material Request,Požadavek na materiál DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum DocType: Item,Purchase Details,Nákup Podrobnosti @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +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""" 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 @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} vložené dvakrát v Daňovej Položke +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} vložené dvakrát v Daňovej Položke apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Zhrnutie pre tento týždeň a prebiehajúcim činnostiam DocType: Student Applicant,Admitted,"pripustil," DocType: Workstation,Rent Cost,Rent Cost @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Prijaté apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Vytvorenie skupiny študentov apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup již dokončen !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Výška úverovej poznámky +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Výška úverovej poznámky ,Finished Goods,Hotové zboží DocType: Delivery Note,Instructions,Instrukce DocType: Quality Inspection,Inspected By,Zkontrolován @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,Vytvoriť nový zákazník +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte sériu číslovania pre účasť v programe Setup> Numbering Series" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,vytvorenie objednávok ,Purchase Register,Nákup Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,7 +475,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 +330,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 +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/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 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribút {0} vybraný niekoľkokrát v atribútoch tabuľke +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribút {0} vybraný niekoľkokrát v atribútoch tabuľke DocType: HR Settings,Employee record is created using selected field. ,Záznam Zaměstnanec je vytvořena pomocí vybrané pole. DocType: Sales Order,Not Applicable,Nehodí se apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday master. @@ -530,7 +532,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 +219,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 +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/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" @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Prosím, zadejte sklad, který bude materiál žádosti předložené" DocType: Production Order,Additional Operating Cost,Další provozní náklady apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky" DocType: Shipping Rule,Net Weight,Hmotnost DocType: Employee,Emergency Phone,Nouzový telefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,kúpiť @@ -555,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%,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 +2428,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom +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 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 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků DocType: Purchase Invoice,Supplier Invoice No,Dodávateľská faktúra č DocType: Territory,For reference,Pro srovnání -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nemožno odstrániť Poradové číslo {0}, ktorý sa používa na sklade transakciách" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nemožno odstrániť Poradové číslo {0}, ktorý sa používa na sklade transakciách" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Uzavření (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Posunúť položku DocType: Serial No,Warranty Period (Days),Záruční doba (dny) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vyberte první společnost a Party Typ apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanční / Účetní rok. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,neuhradená Hodnoty -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Ujistěte se prodejní objednávky DocType: Project Task,Project Task,Úloha Project ,Lead Id,Id Obchodnej iniciatívy @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Přidělit apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return 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,Poznámka: Celkový počet alokovaných listy {0} by nemala byť menšia ako ktoré už boli schválené listy {1} pre obdobie +,Total Stock Summary,Súhrnné zhrnutie zásob DocType: Announcement,Posted By,Pridané DocType: Item,Delivered by Supplier (Drop Ship),Dodáva Dodávateľom (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Databáze potenciálních zákazníků. @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Databáze zákazn DocType: Quotation,Quotation To,Ponuka k DocType: Lead,Middle Income,Středními příjmy apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otvor (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Východzí merná jednotka bodu {0} nemôže byť zmenená priamo, pretože ste už nejaké transakcie (y) s iným nerozpustených. Budete musieť vytvoriť novú položku použiť iný predvolený UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Východzí merná jednotka bodu {0} nemôže byť zmenená priamo, pretože ste už nejaké transakcie (y) s iným nerozpustených. Budete musieť vytvoriť novú položku použiť iný predvolený UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Přidělená částka nemůže být záporná apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavte spoločnosť apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavte spoločnosť @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maximálne skóre Assessment apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Transakčné Data aktualizácie Bank apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLIKÁT PRE TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiskální rok Společnosti DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,konferencie @@ -685,8 +689,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 +320,Timesheet created:,Harmonogramu vytvorenia: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -715,7 +719,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 +139,Finish,Skončiť +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Skončiť apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,základňa DocType: Timesheet,Total Billed Hours,Celkom Predpísané Hodiny DocType: Journal Entry,Write Off Amount,Odepsat Částka @@ -750,7 +754,7 @@ DocType: Hub Settings,Seller City,Prodejce City ,Absent Student Report,Absent Študent Report DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne: DocType: Offer Letter Term,Offer Letter Term,Ponuka Letter Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Položka má varianty. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Položka má varianty. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Položka {0} nebyl nalezen DocType: Bin,Stock Value,Reklamní Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Spoločnosť {0} neexistuje @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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" 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 +48,Make Timesheet,urobiť timesheet +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -859,13 +863,13 @@ DocType: Company,Default Cost of Goods Sold Account,Východiskové Náklady na p apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ceník není zvolen DocType: Employee,Family Background,Rodinné poměry DocType: Request for Quotation Supplier,Send Email,Odeslat email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varovanie: Neplatná Príloha {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nemáte oprávnenie +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Varovanie: Neplatná Príloha {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nemáte oprávnenie 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 +269,Nos,Balenie +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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é @@ -885,7 +889,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 +274,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 +275,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 @@ -973,14 +977,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} musí být aktivní +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1} DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Sklady s existujúcimi transakcie nemožno previesť na knihy. DocType: Bank Reconciliation,Total Amount,Celková částka @@ -997,7 +1001,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponenty apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Prosím, zadajte Kategória majetku v položke {0}" DocType: Quality Inspection Reading,Reading 6,Čtení 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nemožno {0} {1} {2} bez negatívnych vynikajúce faktúra +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Nemožno {0} {1} {2} bez negatívnych vynikajúce faktúra DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury DocType: Hub Settings,Sync Now,Sync teď apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1} @@ -1011,12 +1015,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 +731,New Sales Invoice,Nová predajná faktúra +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Faktúry +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1049,10 +1053,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemický DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Východisková banka / Peňažný účet budú automaticky aktualizované v plat položka denníku ak je zvolený tento režim. DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company mena) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1074,7 +1078,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 +452,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1082,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,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 +259,Qty for {0},Množství pro {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1094,9 +1098,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Hotovostný / Bankový účet apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Zadajte {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Odstránené položky bez zmeny množstva alebo hodnoty. DocType: Delivery Note,Delivery To,Doručení do -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribút tabuľka je povinné +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Atribút tabuľka je povinné DocType: Production Planning Tool,Get Sales Orders,Získat Prodejní objednávky -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nemôže byť záporné +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nemôže byť záporné apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Sleva DocType: Asset,Total Number of Depreciations,Celkový počet Odpisy DocType: Sales Invoice Item,Rate With Margin,Sadzba s maržou @@ -1133,7 +1137,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 +1546,ZIP Code,PSČ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1152,7 +1156,7 @@ 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 +238,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 +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/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) @@ -1177,7 +1181,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Prosím nastavte na "Použiť dodatočnú zľavu On" +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" DocType: Global Defaults,Global Defaults,Globální Výchozí @@ -1185,10 +1189,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 +22,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 +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} 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 +347,Capacity Planning Error,Plánovanie kapacít Chyba +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1207,7 +1211,7 @@ DocType: Purchase Invoice,Is Return,Je Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} platné sériové čísla pre položky {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} platné sériové čísla pre položky {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kód položky nemůže být změněn pro Serial No. apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profile {0} už vytvorili pre užívateľov: {1} a spoločnosť {2} DocType: Sales Invoice Item,UOM Conversion Factor,Faktor konverzie MJ @@ -1217,7 +1221,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 +675,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 +2389,"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 +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." 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" @@ -1260,7 +1264,7 @@ 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,View Ledger 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 +511,"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/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/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 @@ -1289,7 +1293,7 @@ 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 +288,Example: Masters in Computer Science,Príklad: Masters v informatike +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1300,7 +1304,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Prodejní objednávky {0} není platný +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/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} \ @@ -1318,14 +1322,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Místo vydání apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Smlouva DocType: Email Digest,Add Quote,Pridať ponuku -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient prepočtu MJ je potrebný k MJ: {0} v bode: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient prepočtu MJ je potrebný k MJ: {0} v bode: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaše Produkty alebo Služby +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 DocType: Mode of Payment,Mode of Payment,Způsob platby -apps/erpnext/erpnext/stock/doctype/item/item.py +181,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 +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat. @@ -1343,14 +1347,13 @@ 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 +562,Delivery Note {0} is not submitted,Delivery Note {0} není předložena +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Stav výrobní zakázka je {0} DocType: Appraisal Goal,Goal,Cieľ DocType: Sales Invoice Item,Edit Description,Upraviť popis ,Team Updates,tím Updates @@ -1366,14 +1369,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dieťa sklad existuje pre tento sklad. Nemôžete odstrániť tento sklad. 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 +177,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou +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 +78,{0} items in progress,{0} položky v prebiehajúcej +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1432,7 +1435,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1447,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1455,7 +1457,7 @@ DocType: Sales Invoice,Shipping Address Name,Přepravní Adresa Název apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Diagram účtů DocType: Material Request,Terms and Conditions Content,Podmínky Content apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nemôže byť väčšie ako 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Položka {0} není skladem +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Položka {0} není skladem DocType: Maintenance Visit,Unscheduled,Neplánovaná DocType: Employee,Owned,Vlastník DocType: Salary Detail,Depends on Leave Without Pay,Závisí na dovolenke bez nároku na mzdu @@ -1487,7 +1489,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 +273,We buy this Item,Táto položka sa kupuje +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1498,7 +1500,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 +266,Sub Assemblies,Podsestavy +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Podsestavy DocType: Asset,Asset Name,asset Name DocType: Project,Task Weight,úloha Hmotnosť DocType: Shipping Rule Condition,To Value,Chcete-li hodnota @@ -1531,12 +1533,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nalezené v tabulce platby Žádné záznamy apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Táto {0} je v rozpore s {1} o {2} {3} DocType: Student Attendance Tool,Students HTML,študenti HTML DocType: POS Profile,Apply Discount,použiť zľavu -DocType: Purchase Invoice Item,GST HSN Code,GST kód HSN +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 +283,Packing Slip(s) cancelled,Balení Slip (y) zrušeno @@ -1579,8 +1581,8 @@ 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 +2573,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Krabica +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 +873,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 @@ -1610,7 +1612,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,splácanie Method DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ak je zaškrtnuté, domovská stránka bude východiskový bod skupina pre webové stránky" DocType: Quality Inspection Reading,Reading 4,Čtení 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Predvolené BOM pre {0} nenašiel Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Nároky na náklady firmy. 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} @@ -1627,29 +1628,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,novú úlohu apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Značka Citácia apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostatné správy DocType: Dependent Task,Dependent Task,Závislý Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}" 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}" DocType: SMS Center,Receiver List,Přijímač Seznam -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,hľadanie položky +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,už boli dokončené +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,ID zákazníka POS DocType: Account,Account Name,Názov účtu apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dátum OD nemôže byť väčší ako dátum DO -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dodavatel Type master. DocType: Purchase Order Item,Supplier Part Number,Dodavatel Číslo dílu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1 @@ -1657,6 +1658,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vozidlo Dispatch Datum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Výchozí Splatnost účtu apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavení pro on-line nákupního košíku, jako jsou pravidla dopravu, ceník atd" @@ -1713,7 +1715,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Zahrnúť dovolenku DocType: Sales Invoice,Packed Items,Zabalené položky apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reklamační proti sériového čísla DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Nahradit konkrétní kusovník ve všech ostatních kusovníky, kde se používá. To nahradí původní odkaz kusovníku, aktualizujte náklady a regenerovat ""BOM explozi položku"" tabulku podle nového BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Celkom" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"Celkom" DocType: Shopping Cart Settings,Enable Shopping Cart,Povolit Nákupní košík DocType: Employee,Permanent Address,Trvalé bydliště apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1749,6 +1751,7 @@ 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é! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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ů" @@ -1768,7 +1771,7 @@ DocType: Purchase Invoice,Notification Email Address,Oznámení e-mailová adres ,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 +699,Offline,offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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í @@ -1785,7 +1788,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hlavné apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varianta DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavit prefix pro číslování série na vašich transakcí DocType: Employee Attendance Tool,Employees HTML,Zamestnanci HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny 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 @@ -1798,7 +1801,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 +175,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 +173,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 @@ -1808,7 +1811,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Sila študentskej skupiny apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Proti věstníku Vstup {0} nemá bezkonkurenční {1} vstupu apps/erpnext/erpnext/config/hr.py +137,Appraisals,ocenenie -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0} +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" @@ -1817,7 +1820,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} musí být předloženy +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Splátka @@ -1836,12 +1839,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,asset Movement -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,new košík +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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á @@ -1867,7 +1870,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Získat položky z Příjmového listu DocType: Serial No,Creation Date,Datum vytvoření apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Položka {0} se objeví několikrát v Ceníku {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" DocType: Production Plan Material Request,Material Request Date,Materiál Request Date DocType: Purchase Order Item,Supplier Quotation Item,Položka dodávateľskej ponuky DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Zakáže vytváranie časových protokolov proti výrobnej zákazky. Transakcie nesmú byť sledované proti výrobnej zákazky @@ -1884,12 +1887,12 @@ 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 DocType: Budget,Budget,Rozpočet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musia byť non-skladová položka. +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 +209,e.g. 5,napríklad 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1898,7 +1901,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,"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 +263,A Product or Service,Produkt alebo Služba +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1974,7 +1977,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Pár +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Pár apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1993,10 +1996,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Skutočný dátum ukončenia (cez Time Sheet) 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 +160,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 +342,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet" +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" DocType: Shipping Rule Condition,Shipping Amount,Přepravní Částka -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Pridať zákazníkov +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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á @@ -2013,6 +2016,7 @@ DocType: Journal Entry,Accounts Receivable,Pohledávky ,Supplier-Wise Sales Analytics,Dodavatel-Wise Prodej Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Vstup do zaplatená suma DocType: Salary Structure,Select employees for current Salary Structure,Zvoliť zamestnancom za súčasného mzdovú štruktúru +DocType: Sales Invoice,Company Address Name,Názov adresy spoločnosti 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)","Rodičovský kurz (nechajte prázdne, ak toto nie je súčasťou materského kurzu)" @@ -2033,7 +2037,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 +269,Unit,Jednotka +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -2055,7 +2059,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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á. DocType: Stock Reconciliation Item,Amount Difference,vyššie Rozdiel @@ -2064,7 +2068,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Rozdělení zákazníků podle krajů apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Rozdiel Suma musí byť nula DocType: Project,Gross Margin,Hrubá marža -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Prosím, zadejte první výrobní položku" +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 +748,Quotation,Ponuka @@ -2076,7 +2080,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Zákazník / Iniciatíva Adresa -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varovanie: Neplatný certifikát SSL na prílohu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Varovanie: Neplatný certifikát SSL na prílohu {0} DocType: Student Admission,Eligibility,spôsobilosť apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Vedie vám pomôžu podnikanie, pridajte všetky svoje kontakty a viac ako vaše vývody" DocType: Production Order Operation,Actual Operation Time,Aktuální Provozní doba @@ -2095,11 +2099,11 @@ DocType: Appraisal,Calculate Total Score,Vypočítať celkové skóre DocType: Request for Quotation,Manufacturing Manager,Výrobný riaditeľ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Rozdělit dodací list do balíčků. -apps/erpnext/erpnext/hooks.py +87,Shipments,Zásielky +apps/erpnext/erpnext/hooks.py +94,Shipments,Zásielky DocType: Payment Entry,Total Allocated Amount (Company Currency),Celková alokovaná suma (Company mena) DocType: Purchase Order Item,To be delivered to customer,Ak chcete byť doručený zákazníkovi DocType: BOM,Scrap Material Cost,Šrot Material Cost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,"Poradové číslo {0} nepatrí do skladu," +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,"Poradové číslo {0} nepatrí do skladu," DocType: Purchase Invoice,In Words (Company Currency),Slovy (měna společnosti) DocType: Asset,Supplier,Dodávateľ DocType: C-Form,Quarter,Čtvrtletí @@ -2114,11 +2118,10 @@ DocType: Leave Application,Total Leave Days,Celkový počet dnů dovolené DocType: Email Digest,Note: Email will not be sent to disabled users,Poznámka: E-mail nebude odoslaný neaktívnym používateľom apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Počet interakcií apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Počet interakcií -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/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 +408,{0} is mandatory for Item {1},{0} je povinná k položke {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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ě" @@ -2162,7 +2165,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Detail úhrady výdajů -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Prosím, vyberte správny účet" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKÁT PRE DODÁVATEĽA +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Prosím, vyberte správny účet" DocType: Item,Weight UOM,Hmotnostná MJ DocType: Salary Structure Employee,Salary Structure Employee,Plat štruktúra zamestnancov DocType: Employee,Blood Group,Krevní Skupina @@ -2184,7 +2188,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debetné K je vyžadované +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2197,7 +2201,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Celkové nezaplate DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponuka Letter apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generování materiálu Požadavky (MRP) a výrobní zakázky. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Celkové fakturované Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Celkové fakturované Amt DocType: BOM,Conversion Rate,Konverzný kurz apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Hľadať výrobok DocType: Timesheet Detail,To Time,Chcete-li čas @@ -2212,7 +2216,7 @@ 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 DocType: Training Event Employee,Training Event Employee,Vzdelávanie zamestnancov Event -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériové čísla požadované pre položku {1}. Poskytli ste {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériové čísla požadované pre položku {1}. Poskytli ste {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuálne ocenenie Rate DocType: Item,Customer Item Codes,Zákazník Položka Kódy apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange zisk / strata @@ -2260,7 +2264,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 +2454,Select Batch No,Vyberte položku šarže +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2284,19 +2288,19 @@ DocType: Leave Block List,Allow Users,Povolit uživatele DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žiadne DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledovat samostatné výnosy a náklady pro vertikál produktu nebo divizí. DocType: Rename Tool,Rename Tool,Nástroj na premenovanie -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Aktualizace Cost +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 +438,Show Salary Slip,Show výplatnej páske apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Prosím nastavte opakujúce sa po uložení -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vybrať zmena výšky účet +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Pridajte dane +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2307,6 +2311,7 @@ DocType: Stock Entry,Purchase Receipt No,Číslo příjmky apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money DocType: Process Payroll,Create Salary Slip,Vytvořit výplatní pásce apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledovateľnosť +DocType: Purchase Invoice Item,HSN/SAC Code,Kód HSN / SAC 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 @@ -2336,7 +2341,7 @@ DocType: Employee Education,Post Graduate,Postgraduální DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Plán údržby Detail DocType: Quality Inspection Reading,Reading 9,Čtení 9 DocType: Supplier,Is Frozen,Je Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Uzol skupina sklad nie je dovolené vybrať pre transakcie +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Uzol skupina sklad nie je dovolené vybrať pre transakcie DocType: Buying Settings,Buying Settings,Nastavenie nákupu DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Ne pro hotový dobré položce DocType: Upload Attendance,Attendance To Date,Účast na data @@ -2352,13 +2357,13 @@ 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 +164,{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 +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}" 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Prosím, zadejte Plánované Množství k bodu {0} na řádku {1}" @@ -2380,7 +2385,7 @@ DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota DocType: BOM,Show Operations,ukázať Operations ,Minutes to First Response for Opportunity,Zápisy do prvej reakcie na príležitosť apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Celkem Absent -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Merná jednotka DocType: Fiscal Year,Year End Date,Dátum konca roka DocType: Task Depends On,Task Depends On,Úloha je závislá na @@ -2472,7 +2477,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 +106,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 +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/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 @@ -2569,9 +2574,9 @@ 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 +789,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil" +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/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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Nákladové středisko apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Zprávy vydané objenávky @@ -2587,7 +2592,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 +1165,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 +1086,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 +773,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 @@ -2606,7 +2611,7 @@ DocType: Project,Task Completion,úloha Dokončenie apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,nie je na sklade DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Daně a odečtené -apps/erpnext/erpnext/hooks.py +116,Issues,Problémy +apps/erpnext/erpnext/hooks.py +124,Issues,Problémy apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Stav musí být jedním z {0} DocType: Sales Invoice,Debit To,Debetní K DocType: Delivery Note,Required only for sample item.,Požadováno pouze pro položku vzorku. @@ -2635,6 +2640,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Území apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Prosím, uveďte počet požadovaných návštěv" DocType: Stock Settings,Default Valuation Method,Výchozí metoda ocenění +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,poplatok DocType: Vehicle Log,Fuel Qty,palivo Množstvo DocType: Production Order Operation,Planned Start Time,Plánované Start Time DocType: Course,Assessment,posúdenie @@ -2644,12 +2650,12 @@ 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 +149,Quotation {0} is cancelled,Ponuka {0} je zrušená -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Celková dlužná částka +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Všechny prodejní transakce mohou být označeny proti více ** prodejcům **, takže si můžete nastavit a sledovat cíle." ,S.O. No.,SO Ne. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Prosím vytvorte Zákazníka z Obchodnej iniciatívy {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Prosím vytvorte Zákazníka z Obchodnej iniciatívy {0} DocType: Price List,Applicable for Countries,Pre krajiny apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,"Nechajte len aplikácie, ktoré majú status, schválené 'i, Zamietnuté' môžu byť predložené" apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Študent Názov skupiny je povinné v rade {0} @@ -2699,6 +2705,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/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 @@ -2741,8 +2748,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výrob 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.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku. DocType: Purchase Invoice,Half-yearly,Pololetní apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Účetní položka na skladě +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Vyhodnotili ste kritériá hodnotenia {}. DocType: Vehicle Service,Engine Oil,Motorový olej -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: Sales Invoice,Sales Team1,Sales Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Bod {0} neexistuje DocType: Sales Invoice,Customer Address,Zákazník Address @@ -2770,7 +2777,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace." DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100 DocType: Stock Entry,Subcontract,Subdodávka apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Prosím, zadajte {0} ako prvý" @@ -2798,7 +2805,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Študent mesačná návštevnosť Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Zaměstnanec {0} již požádal o {1} mezi {2} a {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum zahájení projektu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Dokud +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Dokud DocType: Rename Tool,Rename Log,Premenovať Log apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Plán študentskej skupiny alebo kurzu je povinný apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Plán študentskej skupiny alebo kurzu je povinný @@ -2823,7 +2830,7 @@ DocType: Purchase Order Item,Returned Qty,Vrátené Množstvo DocType: Employee,Exit,Východ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type je povinné DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company mena) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Pořadové číslo {0} vytvořil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Pořadové číslo {0} vytvořil DocType: Homepage,Company Description for website homepage,Spoločnosť Popis pre webové stránky domovskú stránku DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Pro pohodlí zákazníků, tyto kódy mohou být použity v tiskových formátech, jako na fakturách a dodacích listech" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Meno suplier @@ -2844,7 +2851,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS brána URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Plány kurzu ruší: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Protokoly pre udržanie stavu doručenia sms DocType: Accounts Settings,Make Payment via Journal Entry,Vykonať platbu cez Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Vytlačené na +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Vytlačené na DocType: Item,Inspection Required before Delivery,Inšpekcia Požadované pred pôrodom DocType: Item,Inspection Required before Purchase,Inšpekcia Požadované pred nákupom apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Nevybavené Aktivity @@ -2876,9 +2883,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Študent Ba apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limit skríženými 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.,Akademický termín s týmto "akademický rok '{0} a" Meno Termín' {1} už existuje. Upravte tieto položky a skúste to znova. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Pretože existujú nejaké transakcie voči položke {0} nemožno zmeniť hodnotu {1} +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}",Pretože existujú nejaké transakcie voči položke {0} nemožno zmeniť hodnotu {1} DocType: UOM,Must be Whole Number,Musí být celé číslo DocType: Leave Control Panel,New Leaves Allocated (In Days),Nové Listy Přidělené (ve dnech) +DocType: Sales Invoice,Invoice Copy,Kopírovanie faktúry apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Pořadové číslo {0} neexistuje DocType: Sales Invoice Item,Customer Warehouse (Optional),Zákazník Warehouse (voliteľne) DocType: Pricing Rule,Discount Percentage,Sleva v procentech @@ -2924,8 +2932,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto zavrieť Issue po 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}","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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Příspěvky +DocType: Program Enrollment,Boarding Student,Stravovanie Študent DocType: Asset,Expected Value After Useful Life,Očakávaná hodnota po celú dobu životnosti DocType: Item,Reorder level based on Warehouse,Úroveň Zmena poradia na základe Warehouse DocType: Activity Cost,Billing Rate,Fakturačná cena @@ -2953,11 +2963,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vyberte manuálne študentov pre skupinu založenú na aktivitách DocType: Journal Entry,User Remark,Uživatel Poznámka DocType: Lead,Market Segment,Segment trhu -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplatená suma nemôže byť vyšší ako celkový negatívny dlžnej čiastky {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplatená suma nemôže byť vyšší ako celkový negatívny dlžnej čiastky {0} DocType: Employee Internal Work History,Employee Internal Work History,Interní historie práce zaměstnance apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Uzavření (Dr) DocType: Cheque Print Template,Cheque Size,šek Veľkosť -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Pořadové číslo {0} není skladem +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Pořadové číslo {0} není skladem apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Daňové šablona na prodej transakce. DocType: Sales Invoice,Write Off Outstanding Amount,Odepsat dlužné částky apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Účet {0} sa nezhoduje so spoločnosťou {1} @@ -2982,7 +2992,7 @@ 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 +348,Add a few sample records,Pridať niekoľko ukážkových záznamov +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/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 @@ -2996,17 +3006,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Poradové číslo a Batch DocType: Warranty Claim,From Company,Od Společnosti -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Súčet skóre hodnotiacich kritérií musí byť {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Súčet skóre hodnotiacich kritérií musí byť {0}. 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 +270,Minute,Minúta +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3027,7 +3037,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kontokorentní úvěr na účtu apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Proveďte výplatní pásce apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riadok # {0}: Pridelená čiastka nemôže byť vyššia ako dlžná suma. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Prechádzať BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Prechádzať BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Zajištěné úvěry DocType: Purchase Invoice,Edit Posting Date and Time,Úpravy účtovania Dátum a čas apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizácia účty s ním súvisiacich v kategórii Asset {0} alebo {1} Company" @@ -3043,7 +3053,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 +278,Select Quantity,Zvolte množství +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3066,6 +3076,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Není dovoleno měnit obchodů s akciemi starší než {0} DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Plně Fakturovaný +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/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 +127,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) @@ -3104,8 +3115,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Celková kalkulácie Čias 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 DocType: Customs Tariff Number,Tariff Number,tarif Počet +DocType: Production Order Item,Available Qty at WIP Warehouse,Dostupné množstvo v WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Plánovaná -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {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,"Poznámka: Systém nebude kontrolovať nad-dodávku a nad-rezerváciu pre Položku {0} , keďže množstvo alebo čiastka je 0" DocType: Notification Control,Quotation Message,Správa k ponuke DocType: Employee Loan,Employee Loan Application,Zamestnanec žiadosť o úver @@ -3124,13 +3136,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Směnky vznesené dodavately DocType: POS Profile,Write Off Account,Odepsat účet -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debetná poznámka Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debetná poznámka Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Částka slevy DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupnej faktúry 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 +207,e.g. VAT,napríklad DPH +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3138,7 +3150,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 +1945,Please select customer,vyberte zákazníka +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3167,7 +3179,7 @@ DocType: Lead,Address Desc,Popis adresy apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je povinná DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Názov témy -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vyberte podstatu svojho podnikania. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Riadok # {0}: Duplicitný záznam v referenciách {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Tam, kde jsou výrobní operace prováděny." @@ -3176,7 +3188,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství +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í DocType: Account,Accumulated Depreciation,oprávky DocType: Stock Entry,Customer or Supplier Details,Zákazníka alebo dodávateľa Podrobnosti DocType: Employee Loan Application,Required by Date,Vyžadované podľa dátumu @@ -3205,10 +3217,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Dodané polo apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Názov spoločnosti nemôže byť Company apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Dopis hlavy na tiskových šablon. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tituly na tiskových šablon, např zálohové faktury." +DocType: Program Enrollment,Walking,chôdza DocType: Student Guardian,Student Guardian,študent Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Poplatky typu ocenenie môže nie je označený ako Inclusive DocType: POS Profile,Update Stock,Aktualizace skladem -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Zápis do denníka do šrotu @@ -3262,7 +3274,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Show daň break-up apps/erpnext/erpnext/accounts/party.py +308,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é @@ -3282,14 +3293,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Výchozí Peněžní účet apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master. 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 +176,No Students in,Žiadni študenti v +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 +108,Please enter 'Expected Delivery Date',"Prosím, zadejte ""Očekávaná Datum dodání""" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Neplatné GSTIN alebo Enter NA pre neregistrované +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3330,23 @@ DocType: Sales Team,Contribution (%),Příspěvek (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Poznámka: Položka Platba nebude vytvořili, protože ""v hotovosti nebo bankovním účtu"" nebyl zadán" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Zodpovednosť DocType: Expense Claim Account,Expense Claim Account,Náklady na poistné Account +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: Sales Person,Sales Person Name,Prodej Osoba Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Pridať používateľa DocType: POS Item Group,Item Group,Položka Group DocType: Item,Safety Stock,bezpečnostné Sklad apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Pokrok% za úlohu nemôže byť viac ako 100. DocType: Stock Reconciliation Item,Before reconciliation,Pred zmierenie apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Chcete-li {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Daně a poplatky Přidal (Company měna) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací" +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací" DocType: Sales Order,Partly Billed,Částečně Účtovaný apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} musí byť dlhodobý majetok položka DocType: Item,Default BOM,Výchozí BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Výška dlžnej sumy +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Výška dlžnej sumy apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prosím re-typ názov spoločnosti na potvrdenie -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Celkem Vynikající Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Celkem Vynikající Amt DocType: Journal Entry,Printing Settings,Nastavenie tlače DocType: Sales Invoice,Include Payment (POS),Zahŕňajú platby (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Celkové inkaso musí rovnat do celkového kreditu. Rozdíl je {0} @@ -3341,20 +3354,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Poisťovňa DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,premenlivý -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Z Dodacího Listu +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Z Dodacího Listu DocType: Student,Student Email Address,Študent E-mailová adresa DocType: Timesheet Detail,From Time,Času od apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na sklade: DocType: Notification Control,Custom Message,Custom Message apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investiční bankovnictví apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního -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ériu číslovania pre účasť v programe Setup> Numbering Series" apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa študenta apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa študenta 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 +1517,Address Name,Meno adresy +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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í @@ -3371,7 +3383,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3379,7 +3391,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Zadajte hodnota musí byť kladná +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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é. @@ -3388,7 +3400,7 @@ DocType: Process Payroll,Process Payroll,Proces Payroll apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Existují další svátky než pracovních dnů tento měsíc. DocType: Product Bundle Item,Product Bundle Item,Product Bundle Item DocType: Sales Partner,Sales Partner Name,Sales Partner Name -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Žiadosť o citátov +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Žiadosť o citátov DocType: Payment Reconciliation,Maximum Invoice Amount,Maximálna suma faktúry DocType: Student Language,Student Language,študent Language apps/erpnext/erpnext/config/selling.py +23,Customers,Zákazníci @@ -3399,7 +3411,7 @@ DocType: Asset,Partially Depreciated,čiastočne odpíše DocType: Issue,Opening Time,Otevírací doba apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Data OD a DO jsou vyžadována apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba @@ -3418,7 +3430,7 @@ 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 +266,Raw Material,Surovina +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3430,7 +3442,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Dátum začatia by mala byť pred uzávierky -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: 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í." @@ -3443,8 +3454,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0} +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/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 DocType: Journal Entry,Bank Entry,Bank Entry DocType: Authorization Rule,Applicable To (Designation),Vztahující se na (označení) @@ -3461,7 +3472,7 @@ 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 +270,Hour,Hodina +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3471,7 +3482,7 @@ DocType: Item,Default Material Request Type,Východiskový materiál Typ požiad 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 +645,Point of Sale,Místo Prodeje +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3488,8 +3499,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 +270,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3515,14 +3526,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 +465,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 +466,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 +834,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 +835,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 @@ -3554,7 +3565,7 @@ 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 +436,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 +437,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 DocType: Tax Rule,Billing State,Fakturácia State @@ -3602,7 +3613,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nastavenie titulnej stránke webu 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 +214,Invalid attribute {0} {1},Neplatný atribút {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vyberte inú hodnotiacu skupinu ako "Všetky hodnotiace skupiny" @@ -3703,16 +3714,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,mzdové Components DocType: Program Enrollment Tool,New Academic Year,Nový akademický rok apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / dobropis DocType: Stock Settings,Auto insert Price List rate if missing,Automaticky vložiť cenníkovú cenu ak neexistuje -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Celkem uhrazené částky +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Celkem uhrazené částky DocType: Production Order Item,Transferred Qty,Přenesená Množství apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigácia apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plánování 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 +272,We sell this Item,Táto položka je na predaj +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3760,7 +3773,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 +1186,Please set Company,Nastavte spoločnosť +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3777,13 +3790,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,vyberať poplatky DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1} DocType: Lead,Add to calendar on this date,Přidat do kalendáře k tomuto datu apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu. DocType: Item,Opening Stock,otvorenie Sklad apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je nutná zákazník apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je povinné pre návrat DocType: Purchase Order,To Receive,Obdržať +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Osobní e-mail apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Celkový rozptyl DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky." @@ -3795,7 +3809,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 +541,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup" +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" 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í @@ -3803,7 +3817,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Out of záruky DocType: BOM Replace Tool,Replace,Vyměnit apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nenašli sa žiadne produkty. -DocType: Production Order,Unstopped,nezastavanou apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} proti Predajnej Faktúre {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Název projektu @@ -3814,6 +3827,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} 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 @@ -3851,9 +3865,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Od Rozsah apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},syntaktická chyba vo vzorci alebo stave: {0} 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 +100,Item {0} ignored since it is not a stock item,"Položka {0} ignorována, protože to není skladem" +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 +40,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 +102,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 @@ -3861,12 +3875,14 @@ 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 +209,Rate (%),Sadzba (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Filtrovanie spoločnosti nastavte prázdne, ak je položka Skupina pod skupinou "Spoločnosť"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Vysielanie dátum nemôže byť budúci dátum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Riadok # {0}: Výrobné číslo {1} nezodpovedá {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave @@ -3895,7 +3911,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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ý +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ý DocType: Accounts Settings,Accounts Settings,Nastavenie účtu apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,schvaľovať DocType: Customer,Sales Partner and Commission,Predaj Partner a Komisie @@ -3910,7 +3926,7 @@ 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 +62,{0} items produced,{0} predmety vyrobené +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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á @@ -3924,7 +3940,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via E 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} DocType: Journal Entry Account,Exchange Rate,Výmenný kurz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena +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 DocType: Homepage,Tag Line,tag linka DocType: Fee Component,Fee Component,poplatok Component apps/erpnext/erpnext/config/hr.py +195,Fleet Management,fleet management @@ -3949,18 +3965,18 @@ 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 +705,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať +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/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ý DocType: Employee Loan,Repay Fixed Amount per Period,Splácať paušálna čiastka za obdobie apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Zadajte prosím množstvo pre Položku {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditná poznámka Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreditná poznámka Amt DocType: Employee External Work History,Employee External Work History,Zaměstnanec vnější práce History DocType: Tax Rule,Purchase,Nákup apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Zůstatek Množství @@ -3986,7 +4002,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 +2383,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -4016,6 +4032,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,Prah DocType: BOM Replace Tool,Current BOM,Aktuální BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Přidat Sériové číslo +DocType: Production Order Item,Available Qty at Source Warehouse,Dostupné množstvo v zdrojovom sklade apps/erpnext/erpnext/config/support.py +22,Warranty,záruka DocType: Purchase Invoice,Debit Note Issued,vydanie dlhopisu DocType: Production Order,Warehouses,Sklady @@ -4031,13 +4048,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Zaplacené č apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager ,Quoted Item Comparison,Citoval Položka Porovnanie apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Odeslání -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}% +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 +279,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 +879,Select Items to Manufacture,Vyberte položky do Výroba -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas" +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" DocType: Item,Material Issue,Material Issue DocType: Hub Settings,Seller Description,Prodejce Popis DocType: Employee Education,Qualification,Kvalifikace @@ -4061,7 +4078,7 @@ DocType: POS Profile,Terms and Conditions,Podmínky 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 +200,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 +198,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 @@ -4082,7 +4099,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Chcete-li nastavit tento fiskální rok jako výchozí, klikněte na tlačítko ""Nastavit jako výchozí""" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pripojiť apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatek Množství -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami DocType: Employee Loan,Repay from Salary,Splatiť z platu DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Požiadavka na platbu proti {0} {1} na sumu {2} @@ -4100,18 +4117,18 @@ 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 +1011,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Pořadové číslo {0} již obdržel +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 ,Requested Items To Be Transferred,Požadované položky mají být převedeny 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 +1312,Delete permanently?,Zmazať trvalo? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Neplatný {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neplatný {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Zdravotní dovolená DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Jméno Fakturační adresy @@ -4124,6 +4141,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Vyměřovací DocType: Company,Change Abbreviation,Zmeniť skratku DocType: Expense Claim Detail,Expense Date,Datum výdaje +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 DocType: Item,Max Discount (%),Max sleva (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Poslední částka objednávky DocType: Task,Is Milestone,Je míľnikom @@ -4147,8 +4165,8 @@ DocType: Program Enrollment Tool,New Program,nový program DocType: Item Attribute Value,Attribute Value,Hodnota atributu ,Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level DocType: Salary Detail,Salary Detail,plat Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Prosím, nejprve vyberte {0}" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} z {1} bodu vypršala. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Prosím, nejprve vyberte {0}" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} z {1} bodu vypršala. DocType: Sales Invoice,Commission,Provize apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas list pre výrobu. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,medzisúčet @@ -4173,12 +4191,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 +399,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 +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/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 +387,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 +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/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í @@ -4208,7 +4226,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Likvidácia Dátum DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-maily budú zaslané všetkým aktívnym zamestnancom spoločnosti v danú hodinu, ak nemajú dovolenku. Zhrnutie odpovedí budú zaslané do polnoci." DocType: Employee Leave Approver,Employee Leave Approver,Zaměstnanec Leave schvalovač -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena." 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 @@ -4242,6 +4260,7 @@ DocType: Announcement,Student,študent apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organizace jednotka (departement) master. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Zadejte platné mobilní nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Prosím, zadejte zprávu před odesláním" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLIKÁT PRE DODÁVATEĽA DocType: Email Digest,Pending Quotations,Čaká na citácie apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Aktualizujte prosím nastavení SMS @@ -4250,7 +4269,7 @@ DocType: Cost Center,Cost Center Name,Meno nákladového strediska DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Maximálna pracovná doba proti časového rozvrhu DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Celkem uhrazeno Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Celkem uhrazeno Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv DocType: Purchase Receipt Item,Received and Accepted,Přijaté a Přijato ,GST Itemised Sales Register,GST Podrobný predajný register @@ -4260,7 +4279,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 +237,Your Suppliers,Vaši Dodávatelia +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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"" @@ -4272,7 +4291,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} pripája k bodu {1} nemožno nájsť +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. @@ -4287,7 +4306,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Čím sa zao apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Do skladu apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Všetky Študent Prijímacie ,Average Commission Rate,Průměrná cena Komise -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemôže byť ""áno"" pre neskladový tovar" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemôže byť ""áno"" pre neskladový tovar" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Účast nemůže být označen pro budoucí data DocType: Pricing Rule,Pricing Rule Help,Ceny Pravidlo Help DocType: School House,House Name,Meno dom @@ -4303,7 +4322,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 +339,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 +340,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 @@ -4318,20 +4337,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Výplatnej páske zamestnanca {0} už vytvorili pre časové list {1} 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 +683,Item {0} is disabled,Položka {0} je zakázaná +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generování výplatních páskách -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Sleva musí být menší než 100 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 +500,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Přistálo Náklady Voucher @@ -4395,7 +4414,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekávané datum nemůže být před Materiál Poptávka Datum DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob -DocType: Production Order,Source Warehouse (for reserving Items),Zdroj Warehouse (pre rezerváciu položky) DocType: Employee Loan,Repayment Period in Months,Doba splácania v mesiacoch apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Chyba: Nie je platný id? DocType: Naming Series,Update Series Number,Aktualizace Series Number @@ -4444,7 +4462,7 @@ DocType: Production Order,Planned End Date,Plánované datum ukončení apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,"Tam, kde jsou uloženy předměty." DocType: Request for Quotation,Supplier Detail,dodávateľ Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Chyba vo vzorci alebo stave: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Fakturovaná čiastka +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Fakturovaná čiastka DocType: Attendance,Attendance,Účast apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,sklade DocType: BOM,Materials,Materiály @@ -4485,10 +4503,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Nastavenie jednoduché webové stránky pre moju organizáciu +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 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 +650,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0} DocType: Item,Default Warehouse,Výchozí Warehouse apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Rozpočet nemôže byť priradená na skupinový účet {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský" @@ -4549,7 +4567,7 @@ 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 +1344,Select or add new customer,Vyberte alebo pridanie nového zákazníka +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/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 @@ -4557,6 +4575,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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" 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 +231,{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. @@ -4579,7 +4598,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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""" @@ -4599,7 +4618,7 @@ DocType: POS Profile,Account for Change Amount,Účet pre zmenu Suma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riadok {0}: Party / Account nezhoduje s {1} / {2} do {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Prosím, zadejte výdajového účtu" DocType: Account,Stock,Sklad -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným z objednávky, faktúry alebo Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným z objednávky, faktúry alebo Journal Entry" DocType: Employee,Current Address,Aktuální adresa DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Je-li položka je varianta další položku pak popis, obraz, oceňování, daní atd bude stanoven ze šablony, pokud není výslovně uvedeno" DocType: Serial No,Purchase / Manufacture Details,Nákup / Výroba Podrobnosti @@ -4637,11 +4656,12 @@ DocType: Student,Home Address,Adresa bydliska apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,prevod majetku DocType: POS Profile,POS Profile,POS Profile DocType: Training Event,Event Name,Názov udalosti -apps/erpnext/erpnext/config/schools.py +39,Admission,vstupné +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,vstupné apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Prijímacie konanie pre {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Položka {0} je šablóna, prosím vyberte jednu z jeho variantov" DocType: Asset,Asset Category,asset Kategórie +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Nákupca apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Netto plat nemôže byť záporný DocType: SMS Settings,Static Parameters,Statické parametry DocType: Assessment Plan,Room,izbu @@ -4650,6 +4670,7 @@ DocType: Item,Item Tax,Daň Položky apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiál Dodávateľovi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Zákaznícka skupina> Územie DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id DocType: Employee Attendance Tool,Marked Attendance,Výrazná Návštevnosť apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Krátkodobé závazky @@ -4721,6 +4742,7 @@ DocType: Leave Type,Is Carry Forward,Je převádět apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,sklad Súhrn diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv index 9ec3ec11c4..9c492e6155 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Holiday Seznam -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Računovodja +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Računovodja DocType: Cost Center,Stock User,Stock Uporabnik DocType: Company,Phone No,Telefon apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Urniki tečaj ustvaril: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ni dovoljeno za {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Pridobi artikle iz -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Ni najdenih predmetov +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Poročila o zalogi DocType: Warehouse,Warehouse Detail,Skladišče Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prečkal za stranko {0} {1} / {2} 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.,"Izraz Končni datum ne more biti najpozneje do leta End Datum študijskem letu, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1} DocType: Item,Copy From Item Group,Kopiranje iz postavke skupine DocType: Journal Entry,Opening Entry,Otvoritev Začetek -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Territory apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun Pay samo DocType: Employee Loan,Repay Over Number of Periods,Odplačilo Over število obdobij DocType: Stock Entry,Additional Costs,Dodatni stroški @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Nepremičnina -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Izkaz računa +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 DocType: Purchase Invoice Item,Is Fixed Asset,Je osnovno sredstvo apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Preberi je {0}, morate {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Potrošni +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Primer: Osnovna matematika +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/config/hr.py +214,Settings for HR Module,Nastavitve za HR modula DocType: SMS Center,SMS Center,SMS center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Predmeti in Pricing apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Skupno število ur: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Od datuma mora biti v poslovnem letu. Ob predpostavki Od datuma = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,citati DocType: Customer,Individual,Individualno DocType: Interest,Academics User,akademiki Uporabnik DocType: Cheque Print Template,Amount In Figure,Znesek v sliki @@ -265,7 +266,7 @@ DocType: Employee,Create User,Ustvari uporabnika DocType: Selling Settings,Default Territory,Privzeto Territory apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televizija DocType: Production Order Operation,Updated via 'Time Log',Posodobljeno preko "Čas Logu" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance znesek ne sme biti večja od {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance znesek ne sme biti večja od {0} {1} DocType: Naming Series,Series List for this Transaction,Seznam zaporedij za to transakcijo DocType: Company,Enable Perpetual Inventory,Omogoči nepretrganega popisovanja DocType: Company,Default Payroll Payable Account,Privzeto Plače plačljivo račun @@ -273,7 +274,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 +177,For Warehouse is required before Submit,Za skladišče je pred potreben Submit +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontaktno ime +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lajšanje Datum mora biti večja od Datum pridružitve apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Listi na leto 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 +189,Warehouse {0} does not belong to company {1},Skladišče {0} ne pripada podjetju {1} +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 +270,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bančni vnosi apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Letno DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sprava Postavka @@ -315,7 +316,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 +316,People who teach at your organisation,"Ljudje, ki poučujejo v vaši organizaciji" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,"Dovoli uporabniku, da uredite Razm 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 +699,Item {0} is cancelled,Postavka {0} je odpovedan +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 +882,Material Request,Zahteva za material DocType: Bank Reconciliation,Update Clearance Date,Posodobitev Potrditev Datum DocType: Item,Purchase Details,Nakup Podrobnosti @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dvakrat vpisana v postavki davku +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} dvakrat vpisana v postavki davku apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Povzetek za ta teden in ki potekajo dejavnosti DocType: Student Applicant,Admitted,priznal DocType: Workstation,Rent Cost,Najem Stroški @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Prejeto apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Ustvarjanje skupin študentov apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Že Complete !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Opomba Znesek +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Credit Opomba Znesek ,Finished Goods,"Končnih izdelkov," DocType: Delivery Note,Instructions,Navodila DocType: Quality Inspection,Inspected By,Pregledajo @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Ustvari novo stranko +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prosimo nastavitev številčenja vrsto za udeležbi preko Nastavitve> oštevilčevanje Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Ustvari naročilnice ,Purchase Register,Nakup Register DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Lastnost {0} izbrana večkrat v atributih tabeli +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Lastnost {0} izbrana večkrat v atributih tabeli DocType: HR Settings,Employee record is created using selected field. ,Evidenco o zaposlenih delavcih je ustvarjena s pomočjo izbrano polje. DocType: Sales Order,Not Applicable,Se ne uporablja apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday gospodar. @@ -529,7 +531,7 @@ 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 +219,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 +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/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" @@ -543,7 +545,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Vnesite skladišče, za katere se bo dvignjeno Material Zahteva" DocType: Production Order,Additional Operating Cost,Dodatne operacijski stroškov apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kozmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Za pripojitev, mora naslednje lastnosti biti enaka za oba predmetov" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Za pripojitev, mora naslednje lastnosti biti enaka za oba predmetov" DocType: Shipping Rule,Net Weight,Neto teža DocType: Employee,Emergency Phone,Zasilna Telefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Nakup @@ -553,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%,"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 +2428,Serial no item cannot be a fraction,Serijska št postavka ne more biti del +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -572,7 +574,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / Uredi davkov in dajatev DocType: Purchase Invoice,Supplier Invoice No,Dobavitelj Račun Ne DocType: Territory,For reference,Za sklic -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne morem izbrisati Serijska št {0}, saj je uporabljen v transakcijah zalogi" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Ne morem izbrisati Serijska št {0}, saj je uporabljen v transakcijah zalogi" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Zapiranje (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Move Item DocType: Serial No,Warranty Period (Days),Garancijski rok (dni) @@ -593,7 +595,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Izberite podjetja in Zabava Vrsta najprej apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finančni / računovodstvo leto. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,nakopičene Vrednosti -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Oprostite, Serijska št ni mogoče združiti" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Oprostite, Serijska št ni mogoče združiti" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Naredite Sales Order DocType: Project Task,Project Task,Project Task ,Lead Id,ID Ponudbe @@ -613,6 +615,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Dodeli apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Prodaja Return 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,Opomba: Skupna dodeljena listi {0} ne sme biti manjši od že odobrene listov {1} za obdobje +,Total Stock Summary,Skupaj Stock Povzetek DocType: Announcement,Posted By,Avtor DocType: Item,Delivered by Supplier (Drop Ship),Dostavi dobavitelja (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Podatkovna baza potencialnih strank. @@ -621,7 +624,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza podatkov o st DocType: Quotation,Quotation To,Ponudba za DocType: Lead,Middle Income,Bližnji Prihodki apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Odprtino (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Privzeto mersko enoto za postavko {0} ni mogoče neposredno spremeniti, ker ste že naredili nekaj transakcije (-e) z drugo UOM. Boste morali ustvariti nov element, da uporabi drugačno Privzeti UOM." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Privzeto mersko enoto za postavko {0} ni mogoče neposredno spremeniti, ker ste že naredili nekaj transakcije (-e) z drugo UOM. Boste morali ustvariti nov element, da uporabi drugačno Privzeti UOM." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Dodeljen znesek ne more biti negativna apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavite Company apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavite Company @@ -643,6 +646,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Najvišja ocena Ocena apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Update banka transakcijske Termini apps/erpnext/erpnext/config/projects.py +30,Time Tracking,sledenje čas +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DVOJNIK ZA TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Fiskalna Leto Company DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,Konferenca @@ -683,8 +687,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 +320,Timesheet created:,Timesheet ustvaril: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -713,7 +717,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 +139,Finish,Finish +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Finish apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Osnovna DocType: Timesheet,Total Billed Hours,Skupaj Obračunane ure DocType: Journal Entry,Write Off Amount,Napišite enkratnem znesku @@ -748,7 +752,7 @@ DocType: Hub Settings,Seller City,Prodajalec Mesto ,Absent Student Report,Odsoten Student Report DocType: Email Digest,Next email will be sent on:,Naslednje sporočilo bo poslano na: DocType: Offer Letter Term,Offer Letter Term,Pisna ponudba Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Element ima variante. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Element ima variante. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Postavka {0} ni bilo mogoče najti DocType: Bin,Stock Value,Stock Value apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Podjetje {0} ne obstaja @@ -795,12 +799,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Ustvari evidenco prisotnosti +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -839,13 +843,13 @@ DocType: Company,Default Cost of Goods Sold Account,Privzeto Nabavna vrednost pr apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cenik ni izbrana DocType: Employee,Family Background,Družina Ozadje DocType: Request for Quotation Supplier,Send Email,Pošlji e-pošto -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Opozorilo: Invalid Attachment {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ne Dovoljenje +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Opozorilo: Invalid Attachment {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Ne Dovoljenje 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -865,7 +869,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 +274,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 +275,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 @@ -953,14 +957,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} mora biti aktiven +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijska št {0} ne pripada postavki {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serijska št {0} ne pripada postavki {1} DocType: Purchase Receipt Item Supplied,Required Qty,Zahtevani Kol apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Skladišča z obstoječim poslom ni mogoče pretvoriti v knjigi. DocType: Bank Reconciliation,Total Amount,Skupni znesek @@ -977,7 +981,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponente apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vnesite Asset Kategorija točke {0} DocType: Quality Inspection Reading,Reading 6,Branje 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,"Ne more {0} {1} {2}, brez kakršne koli negativne izjemno račun" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,"Ne more {0} {1} {2}, brez kakršne koli negativne izjemno račun" DocType: Purchase Invoice Advance,Purchase Invoice Advance,Nakup računa Advance DocType: Hub Settings,Sync Now,Sync Now apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Vrstica {0}: Credit vnos ni mogoče povezati z {1} @@ -991,12 +995,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 +731,New Sales Invoice,Nov račun +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sinhronizacija Offline Računi +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1029,9 +1033,9 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemical DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Privzeti Bank / Cash račun bo samodejno posodobljen plač Journal Entry, ko je izbrana ta način." DocType: BOM,Raw Material Cost(Company Currency),Stroškov surovin (družba Valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Vsi artikli so se že prenesli na to Proizvodno naročilo. +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 +270,Meter,meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1054,7 +1058,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 +452,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 @@ -1062,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,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 +259,Qty for {0},Količina za {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1074,9 +1078,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Gotovina / bančni račun apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Odstranjeni deli brez spremembe količine ali vrednosti. DocType: Delivery Note,Delivery To,Dostava -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Lastnost miza je obvezna +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Lastnost miza je obvezna DocType: Production Planning Tool,Get Sales Orders,Pridobite prodajnih nalogov -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne more biti negativna +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne more biti negativna apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust DocType: Asset,Total Number of Depreciations,Skupno število amortizacije DocType: Sales Invoice Item,Rate With Margin,Oceni z mejo @@ -1113,7 +1117,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 +1546,ZIP Code,Poštna številka +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1132,7 +1136,7 @@ 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 +238,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 +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/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 @@ -1156,7 +1160,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Prosim nastavite "Uporabi dodatni popust na ' +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 DocType: Global Defaults,Global Defaults,Globalni Privzeto @@ -1164,10 +1168,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 +22,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 +23,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 +347,Capacity Planning Error,Kapaciteta Napaka Načrtovanje +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1186,7 +1190,7 @@ DocType: Purchase Invoice,Is Return,Je Return apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} veljavna serijski nos za postavko {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} veljavna serijski nos za postavko {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Oznaka se ne more spremeniti za Serial No. 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} že ustvarili za uporabnika: {1} in podjetje {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Conversion Factor @@ -1196,7 +1200,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 +675,Cost Center For Item with Item Code ',Stalo Center za postavko s točko zakonika " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1239,7 +1243,7 @@ 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,Ogled Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postavki {0} ne more imeti Batch @@ -1268,7 +1272,7 @@ 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 +288,Example: Masters in Computer Science,Primer: Masters v računalništvu +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1279,7 +1283,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Naročilo {0} ni veljavno +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/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} \ @@ -1297,14 +1301,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Kraj izdaje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Pogodba DocType: Email Digest,Add Quote,Dodaj Citiraj -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},"UOM coversion dejavnik, potreben za UOM: {0} v postavki: {1}" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},"UOM coversion dejavnik, potreben za UOM: {0} v postavki: {1}" 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Svoje izdelke ali storitve +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 DocType: Mode of Payment,Mode of Payment,Način plačila -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,"To je skupina, root element in ga ni mogoče urejati." @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Status proizvodnja Sklep je {0} DocType: Appraisal Goal,Goal,Cilj DocType: Sales Invoice Item,Edit Description,Uredi Opis ,Team Updates,ekipa Posodobitve @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,"Otrok skladišče obstaja za to skladišče. Ne, ne moreš izbrisati to skladišče." 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 +177,Serial number {0} entered more than once,Serijska številka {0} je začela več kot enkrat +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 +78,{0} items in progress,{0} izdelkov v teku +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 @@ -1411,7 +1414,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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,7 +1426,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1434,7 +1436,7 @@ DocType: Sales Invoice,Shipping Address Name,Naslov dostave apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontni načrt DocType: Material Request,Terms and Conditions Content,Pogoji in vsebina apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne more biti večja kot 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Postavka {0} ni zaloge Item +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Postavka {0} ni zaloge Item DocType: Maintenance Visit,Unscheduled,Nenačrtovana DocType: Employee,Owned,Lasti DocType: Salary Detail,Depends on Leave Without Pay,Odvisno od dopusta brez plačila @@ -1465,7 +1467,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 +273,We buy this Item,Kupimo ta artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,Sklope +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sklope DocType: Asset,Asset Name,Ime sredstvo DocType: Project,Task Weight,naloga Teža DocType: Shipping Rule Condition,To Value,Do vrednosti @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ni najdenih v tabeli plačil zapisov apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ta {0} ni v nasprotju s {1} za {2} {3} DocType: Student Attendance Tool,Students HTML,študenti HTML DocType: POS Profile,Apply Discount,Uporabi popust -DocType: Purchase Invoice Item,GST HSN Code,DDV HSN koda +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 +283,Packing Slip(s) cancelled,Dobavnico (e) odpovedan @@ -1557,8 +1559,8 @@ 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 +2573,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Škatla +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 +873,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" @@ -1588,7 +1590,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Povračilo Metoda DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Če je omogočeno, bo Naslovna stran je skupina privzeta točka za spletno stran" DocType: Quality Inspection Reading,Reading 4,Branje 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Privzeti BOM za {0} nismo našli za projekt {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Terjatve za račun družbe. 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} @@ -1605,29 +1606,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova naloga apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Naredite predračun apps/erpnext/erpnext/config/selling.py +216,Other Reports,Druga poročila DocType: Dependent Task,Dependent Task,Odvisna Task -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},"Faktor pretvorbe za privzeto mersko enoto, mora biti 1 v vrstici {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},"Faktor pretvorbe za privzeto mersko enoto, mora biti 1 v vrstici {0}" 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}" DocType: SMS Center,Receiver List,Sprejemnik Seznam -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Iskanje Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,že končana +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,ID POS stranka DocType: Account,Account Name,Ime računa apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Od datum ne more biti večja kot doslej -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijska št {0} količina {1} ne more biti del +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serijska št {0} količina {1} ne more biti del apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dobavitelj Type gospodar. DocType: Purchase Order Item,Supplier Part Number,Dobavitelj Številka dela apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Menjalno razmerje ne more biti 0 ali 1 @@ -1635,6 +1636,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Privzeto plačljivo račun apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavitve za spletni košarici, kot so predpisi v pomorskem prometu, cenik itd" @@ -1691,7 +1693,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Vključite počitni DocType: Sales Invoice,Packed Items,Pakirane Items apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garancija zahtevek zoper Serial No. DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Zamenjajte posebno kosovnico v vseh drugih BOMs, kjer se uporablja. To bo nadomestila staro BOM povezavo, posodobite stroške in regenerira "BOM Explosion item» mizo kot na novo BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Skupaj" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"Skupaj" DocType: Shopping Cart Settings,Enable Shopping Cart,Omogoči Košarica DocType: Employee,Permanent Address,stalni naslov apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1727,6 +1729,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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" @@ -1746,7 +1749,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1763,7 +1766,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Main apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavite predpona za številčenje serij na vaše transakcije DocType: Employee Attendance Tool,Employees HTML,zaposleni HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo 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 @@ -1776,7 +1779,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 +175,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 +173,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 @@ -1786,7 +1789,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Študent Skupina moč apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Proti listu Začetek {0} nima neprimerljivo {1} vnos apps/erpnext/erpnext/config/hr.py +137,Appraisals,cenitve -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Podvajati Zaporedna številka vpisana v postavko {0} +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" @@ -1795,7 +1798,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} je treba predložiti +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Plačilo @@ -1814,12 +1817,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Gibanje sredstvo -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nova košarico +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1845,7 +1848,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dobili predmetov iz nakupa Prejemki DocType: Serial No,Creation Date,Datum nastanka apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Postavka {0} pojavi večkrat v Ceniku {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodajanje je treba preveriti, če se uporablja za izbrana kot {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodajanje je treba preveriti, če se uporablja za izbrana kot {0}" DocType: Production Plan Material Request,Material Request Date,Material Zahteva Datum DocType: Purchase Order Item,Supplier Quotation Item,Dobavitelj Kotacija Postavka DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Onemogoči oblikovanje časovnih dnevnikov proti proizvodnji naročil. Operacije se ne gosenicami proti Production reda @@ -1862,12 +1865,12 @@ DocType: Supplier,Supplier of Goods or Services.,Dobavitelj blaga ali storitev. DocType: Budget,Fiscal Year,Poslovno leto DocType: Vehicle Log,Fuel Price,gorivo Cena DocType: Budget,Budget,Proračun -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Osnovno sredstvo točka mora biti postavka ne-stock. +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 +209,e.g. 5,na primer 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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." @@ -1876,7 +1879,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,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 +263,A Product or Service,Izdelek ali storitev +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1950,7 +1953,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1969,10 +1972,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Dejanski končni datum (preko Čas lista) 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 +160,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 +342,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun +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 DocType: Shipping Rule Condition,Shipping Amount,Znesek Dostave -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj stranke +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1989,6 +1992,7 @@ DocType: Journal Entry,Accounts Receivable,Terjatve ,Supplier-Wise Sales Analytics,Dobavitelj-Wise Prodajna Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Vnesite plačanega zneska DocType: Salary Structure,Select employees for current Salary Structure,Izberite zaposlenih za sedanje strukture plač +DocType: Sales Invoice,Company Address Name,Naslov podjetja Ime DocType: Production Order,Use Multi-Level BOM,Uporabite Multi-Level BOM 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)" @@ -2009,7 +2013,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 +269,Unit,Enota +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -2031,7 +2035,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,znesek Razlika @@ -2040,7 +2044,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Razvrstitev stranke po regijah apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Razlika Znesek mora biti nič DocType: Project,Gross Margin,Gross Margin -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Prosimo, da najprej vnesete Production artikel" +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 +748,Quotation,Ponudba @@ -2052,7 +2056,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Stranka / Naslov ponudbe -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Opozorilo: Neveljavno potrdilo SSL za pritrditev {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Opozorilo: Neveljavno potrdilo SSL za pritrditev {0} DocType: Student Admission,Eligibility,Upravičenost apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Interesenti vam pomaga dobiti posel, dodamo vse svoje stike in več kot vaše vodi" DocType: Production Order Operation,Actual Operation Time,Dejanska Operacija čas @@ -2071,11 +2075,11 @@ DocType: Appraisal,Calculate Total Score,Izračunaj skupni rezultat DocType: Request for Quotation,Manufacturing Manager,Proizvodnja Manager apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijska št {0} je pod garancijo stanuje {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Dostava Opomba v pakete. -apps/erpnext/erpnext/hooks.py +87,Shipments,Pošiljke +apps/erpnext/erpnext/hooks.py +94,Shipments,Pošiljke DocType: Payment Entry,Total Allocated Amount (Company Currency),Skupaj Dodeljena Znesek (družba Valuta) DocType: Purchase Order Item,To be delivered to customer,Ki jih je treba dostaviti kupcu DocType: BOM,Scrap Material Cost,Stroški odpadnega materiala -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serijska št {0} ne pripada nobeni Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serijska št {0} ne pripada nobeni Warehouse DocType: Purchase Invoice,In Words (Company Currency),V besedi (družba Valuta) DocType: Asset,Supplier,Dobavitelj DocType: C-Form,Quarter,Quarter @@ -2090,11 +2094,10 @@ DocType: Leave Application,Total Leave Days,Skupaj dni dopusta DocType: Email Digest,Note: Email will not be sent to disabled users,Opomba: E-mail ne bo poslano uporabnike invalide apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Število interakcij apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Število interakcij -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Oznaka> Element Group> Znamka 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 +408,{0} is mandatory for Item {1},{0} je obvezna za postavko {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2138,7 +2141,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Expense Zahtevek Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Prosimo, izberite ustrezen račun" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Trojnih dobavitelja +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Prosimo, izberite ustrezen račun" DocType: Item,Weight UOM,Teža UOM DocType: Salary Structure Employee,Salary Structure Employee,Struktura Plač zaposlenih DocType: Employee,Blood Group,Blood Group @@ -2160,7 +2164,7 @@ DocType: Student,Guardians,skrbniki 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 +336,Debit To is required,Bremenitev je potrebno +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Skupaj neplačano: DocType: BOM Website Operation,BOM Website Operation,BOM Spletna stran Operacija apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponujamo Letter apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Ustvarjajo Materialne zahteve (MRP) in naročila za proizvodnjo. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Skupaj Fakturna Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Skupaj Fakturna Amt DocType: BOM,Conversion Rate,Stopnja konverzije apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Iskanje DocType: Timesheet Detail,To Time,Time @@ -2188,7 +2192,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Dogodek usposabljanje zaposlenih -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serijske številke, potrebne za postavko {1}. Ki ste ga navedli {2}." +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serijske številke, potrebne za postavko {1}. Ki ste ga navedli {2}." DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutni tečaj Vrednotenje DocType: Item,Customer Item Codes,Stranka Postavka Kode apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange dobiček / izguba @@ -2236,7 +2240,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 +2454,Select Batch No,Izberite Serija št +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2260,19 +2264,19 @@ DocType: Leave Block List,Allow Users,Dovoli uporabnike DocType: Purchase Order,Customer Mobile No,Stranka Mobile No DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Sledi ločeno prihodki in odhodki za vertikal proizvodov ali delitve. DocType: Rename Tool,Rename Tool,Preimenovanje orodje -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Posodobitev Stroški +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 +438,Show Salary Slip,Prikaži Plača listek apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,znesek računa Izberite sprememba +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Dodaj Davki +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2283,6 +2287,7 @@ DocType: Stock Entry,Purchase Receipt No,Potrdilo o nakupu Ne apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Kapara DocType: Process Payroll,Create Salary Slip,Ustvarite plačilnega lista apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledljivost +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC koda 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 @@ -2312,7 +2317,7 @@ DocType: Employee Education,Post Graduate,Post Graduate DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Vzdrževanje Urnik Detail DocType: Quality Inspection Reading,Reading 9,Branje 9 DocType: Supplier,Is Frozen,Je zamrznjena -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Skupina vozlišče skladišče ni dovoljeno izbrati za transakcije +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Skupina vozlišče skladišče ni dovoljeno izbrati za transakcije DocType: Buying Settings,Buying Settings,Nastavitve nabave DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM No. za Končni Good postavki DocType: Upload Attendance,Attendance To Date,Udeležba na tekočem @@ -2328,13 +2333,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,"Vi stopnje ni mogoče spremeniti, če BOM omenjeno agianst vsako postavko" +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vnesite načrtovanih Količina za postavko {0} v vrstici {1} @@ -2356,7 +2361,7 @@ DocType: Authorization Rule,Authorized Value,Dovoljena vrednost DocType: BOM,Show Operations,prikaži Operations ,Minutes to First Response for Opportunity,Minut do prvega odziva za priložnost apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Skupaj Odsoten -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Postavka ali skladišča za vrstico {0} ne ujema Material dogovoru +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Postavka ali skladišča za vrstico {0} ne ujema Material dogovoru apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Merska enota DocType: Fiscal Year,Year End Date,Leto End Date DocType: Task Depends On,Task Depends On,Naloga je odvisna od @@ -2428,7 +2433,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 +106,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 +113,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 @@ -2526,9 +2531,9 @@ 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 +789,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil" +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/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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Stroškovno Center apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Voucher # DocType: Notification Control,Purchase Order Message,Naročilnica sporočilo @@ -2544,7 +2549,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 +1165,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2563,7 +2568,7 @@ DocType: Project,Task Completion,naloga Zaključek apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ni na zalogi DocType: Appraisal,HR User,HR Uporabnik DocType: Purchase Invoice,Taxes and Charges Deducted,Davki in dajatve Odbitek -apps/erpnext/erpnext/hooks.py +116,Issues,Vprašanja +apps/erpnext/erpnext/hooks.py +124,Issues,Vprašanja apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Stanje mora biti eno od {0} DocType: Sales Invoice,Debit To,Bremenitev DocType: Delivery Note,Required only for sample item.,Zahteva le za točko vzorca. @@ -2592,6 +2597,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Ozemlje apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Navedite ni obiskov zahtevanih DocType: Stock Settings,Default Valuation Method,Način Privzeto Vrednotenje +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Fee DocType: Vehicle Log,Fuel Qty,gorivo Kol DocType: Production Order Operation,Planned Start Time,Načrtovano Start Time DocType: Course,Assessment,ocena @@ -2601,12 +2607,12 @@ 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 +149,Quotation {0} is cancelled,Ponudba {0} je odpovedana -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Skupni preostali znesek +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Vse prodajne transakcije je lahko označena pred številnimi ** Prodajni Osebe **, tako da lahko nastavite in spremljanje ciljev." ,S.O. No.,SO No. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Prosimo, da ustvarite strank iz svinca {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Prosimo, da ustvarite strank iz svinca {0}" DocType: Price List,Applicable for Countries,Velja za države apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Pustite samo aplikacije s statusom "Approved" in "Zavrnjeno" se lahko predloži apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Študent Group Ime je obvezno v vrsti {0} @@ -2644,6 +2650,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/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 @@ -2686,8 +2693,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Prenos materialov za proi 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.,Popust Odstotek se lahko uporablja bodisi proti ceniku ali za vse cenik. DocType: Purchase Invoice,Half-yearly,Polletna apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Računovodstvo Vstop za zalogi +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ste že ocenili za ocenjevalnih meril {}. DocType: Vehicle Service,Engine Oil,Motorno olje -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prosimo nastavitev zaposlenih Poimenovanje sistema v kadrovsko> HR Nastavitve DocType: Sales Invoice,Sales Team1,Prodaja TEAM1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} ne obstaja DocType: Sales Invoice,Customer Address,Naslov stranke @@ -2715,7 +2722,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna oseba / Hčerinska družba z ločenim računom ki pripada organizaciji. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Hrana, pijača, tobak" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Stopnja Komisija ne more biti večja od 100 DocType: Stock Entry,Subcontract,Podizvajalska pogodba apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Vnesite {0} najprej @@ -2743,7 +2750,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Študent Mesečni Udeležba Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} je že zaprosil za {1} med {2} in {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekt Start Date -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Do +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Do DocType: Rename Tool,Rename Log,Preimenovanje Prijava apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Študent skupine ali tečaj Urnik je obvezna apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Študent skupine ali tečaj Urnik je obvezna @@ -2768,7 +2775,7 @@ DocType: Purchase Order Item,Returned Qty,Vrnjeno Kol DocType: Employee,Exit,Izhod apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Tip je obvezna DocType: BOM,Total Cost(Company Currency),Skupni stroški (družba Valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijska št {0} ustvaril +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serijska št {0} ustvaril DocType: Homepage,Company Description for website homepage,Podjetje Opis za domačo stran spletnega mesta DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Za udobje kupcev lahko te kode se uporabljajo v tiskanih oblikah, kot so na računih in dobavnicah" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Ime suplier @@ -2789,7 +2796,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Urniki tečaj črta: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Dnevniki za ohranjanje statusa dostave sms DocType: Accounts Settings,Make Payment via Journal Entry,Naredite plačilo preko Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Tiskano na +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Tiskano na DocType: Item,Inspection Required before Delivery,Inšpekcijski Zahtevana pred dostavo DocType: Item,Inspection Required before Purchase,Inšpekcijski Zahtevana pred nakupom apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Čakanju Dejavnosti @@ -2821,9 +2828,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Študent Se apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit navzkrižnim apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Tveganega kapitala 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.,"Akademski izraz s tem "študijskem letu '{0} in" Trajanje Ime' {1} že obstaja. Prosimo, spremenite te vnose in poskusite znova." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kot že obstajajo transakcije proti zapisu {0}, ki jih ne more spremeniti vrednosti {1}" +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}","Kot že obstajajo transakcije proti zapisu {0}, ki jih ne more spremeniti vrednosti {1}" DocType: UOM,Must be Whole Number,Mora biti celo število DocType: Leave Control Panel,New Leaves Allocated (In Days),Nove Listi Dodeljena (v dnevih) +DocType: Sales Invoice,Invoice Copy,račun Kopiraj apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijska št {0} ne obstaja DocType: Sales Invoice Item,Customer Warehouse (Optional),Skladišče stranka (po želji) DocType: Pricing Rule,Discount Percentage,Popust Odstotek @@ -2869,8 +2877,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdaja po 7 d 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Vnosi +DocType: Program Enrollment,Boarding Student,Boarding Študent DocType: Asset,Expected Value After Useful Life,Pričakovana vrednost Po Koristne življenja DocType: Item,Reorder level based on Warehouse,Raven Preureditev temelji na Warehouse DocType: Activity Cost,Billing Rate,Zaračunavanje Rate @@ -2897,11 +2907,11 @@ DocType: Serial No,Warranty / AMC Details,Garancija / AMC Podrobnosti apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,"Izberite študentov ročno za skupine dejavnosti, ki temelji" DocType: Journal Entry,User Remark,Uporabnik Pripomba DocType: Lead,Market Segment,Tržni segment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Plačani znesek ne sme biti večja od celotnega negativnega neplačanega zneska {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Plačani znesek ne sme biti večja od celotnega negativnega neplačanega zneska {0} DocType: Employee Internal Work History,Employee Internal Work History,Zaposleni Notranji Delo Zgodovina apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zapiranje (Dr) DocType: Cheque Print Template,Cheque Size,Ček Velikost -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijska št {0} ni na zalogi +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serijska št {0} ni na zalogi apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Davčna predlogo za prodajne transakcije. DocType: Sales Invoice,Write Off Outstanding Amount,Napišite Off neporavnanega zneska apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Račun {0} ne ujema z družbo {1} @@ -2925,7 +2935,7 @@ 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 +348,Add a few sample records,Dodajte nekaj zapisov vzorčnih +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2939,17 +2949,17 @@ 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},"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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Serijska številka in serije DocType: Warranty Claim,From Company,Od družbe -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Vsota ocen ocenjevalnih meril mora biti {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Vsota ocen ocenjevalnih meril mora biti {0}. 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 +270,Minute,Minute +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2970,7 +2980,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bančnem računu računa apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Naredite plačilnega lista apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Vrstica # {0}: Razporejeni vrednosti ne sme biti večja od neplačanega zneska. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Prebrskaj BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Prebrskaj BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Secured Posojila DocType: Purchase Invoice,Edit Posting Date and Time,Uredi datum in uro vnosa apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosim, nastavite račune, povezane Amortizacija v sredstvih kategoriji {0} ali družbe {1}" @@ -2986,7 +2996,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 +278,Select Quantity,Izberite Količina +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3009,6 +3019,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},"Ni dovoljeno, da posodobite transakcije zalog starejši od {0}" DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Popolnoma zaračunavajo +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelj 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 +127,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) @@ -3046,8 +3057,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Skupaj Stanejo Znesek (pre 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 DocType: Customs Tariff Number,Tariff Number,tarifna številka +DocType: Production Order Item,Available Qty at WIP Warehouse,Na voljo Količina na WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Predvidoma -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijska št {0} ne pripada Warehouse {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serijska št {0} ne pripada Warehouse {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,Opomba: Sistem ne bo preveril čez povzetju in over-rezervacije za postavko {0} kot količina ali znesek je 0 DocType: Notification Control,Quotation Message,Kotacija Sporočilo DocType: Employee Loan,Employee Loan Application,Zaposlenih Loan Application @@ -3066,13 +3078,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Pristali Stroški bon Znesek apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Računi, ki jih dobavitelji postavljeno." DocType: POS Profile,Write Off Account,Odpišite račun -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Opomin Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Opomin Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Popust Količina DocType: Purchase Invoice,Return Against Purchase Invoice,Vrni proti Račun za nakup 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 +207,e.g. VAT,npr DDV +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3080,7 +3092,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 +1945,Please select customer,Izberite stranko +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3109,7 +3121,7 @@ DocType: Lead,Address Desc,Naslov opis izdelka apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je obvezen DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Ime temo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Mora biti izbran Atleast eden prodaji ali nakupu +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Mora biti izbran Atleast eden prodaji ali nakupu apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Izberite naravo vašega podjetja. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Vrstica # {0}: Duplikat vnos v Referenčni {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kjer so proizvodni postopki. @@ -3118,7 +3130,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Količina ne sme biti večja od Max Kol +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 DocType: Account,Accumulated Depreciation,Bilančni Amortizacija DocType: Stock Entry,Customer or Supplier Details,Stranka ali dobavitelj Podrobnosti DocType: Employee Loan Application,Required by Date,Zahtevana Datum @@ -3147,10 +3159,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Nakup Sklep P apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Ime podjetja ne more biti podjetje apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Letter Glave za tiskane predloge. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Naslovi za tiskane predloge, npr predračunu." +DocType: Program Enrollment,Walking,Hoditi DocType: Student Guardian,Student Guardian,študent Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Stroški Tip vrednotenje ni mogoče označiti kot Inclusive DocType: POS Profile,Update Stock,Posodobi zalogo -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelj apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Drugačna UOM za artikle bo privedlo do napačne (skupno) Neto teža vrednosti. Prepričajte se, da je neto teža vsake postavke v istem UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate DocType: Asset,Journal Entry for Scrap,Journal Entry za pretep @@ -3204,7 +3216,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Prikaži davek break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3224,14 +3235,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Privzeti gotovinski račun apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ne stranka ali dobavitelj) gospodar. 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 +176,No Students in,Ni Študenti +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 +108,Please enter 'Expected Delivery Date',"Prosimo, vpišite "Pričakovana Dostava Date"" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Neveljavna GSTIN ali Enter NA za Neregistrirani +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3272,23 @@ DocType: Sales Team,Contribution (%),Prispevek (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Opomba: Začetek Plačilo se ne bodo ustvarili, saj "gotovinski ali bančni račun" ni bil podan" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odgovornosti DocType: Expense Claim Account,Expense Claim Account,Expense Zahtevek računa +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Poimenovanje serijsko {0} preko Nastavitev> Nastavitve> za poimenovanje Series DocType: Sales Person,Sales Person Name,Prodaja Oseba Name apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vnesite atleast 1 račun v tabeli +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Dodaj uporabnike DocType: POS Item Group,Item Group,Element Group DocType: Item,Safety Stock,Varnostna zaloga apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Napredek% za nalogo, ne more biti več kot 100." DocType: Stock Reconciliation Item,Before reconciliation,Pred uskladitvijo apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Davki in dajatve na dodano vrednost (Company Valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postavka Davčna Row {0} morajo upoštevati vrste davka ali prihodek ali odhodek ali Obdavčljivi +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postavka Davčna Row {0} morajo upoštevati vrste davka ali prihodek ali odhodek ali Obdavčljivi DocType: Sales Order,Partly Billed,Delno zaračunavajo apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Točka {0} mora biti osnovno sredstvo postavka DocType: Item,Default BOM,Privzeto BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Opomin Znesek +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Opomin Znesek apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Prosimo, ponovno tip firma za potrditev" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Skupaj Izjemna Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Skupaj Izjemna Amt DocType: Journal Entry,Printing Settings,Nastavitve tiskanja DocType: Sales Invoice,Include Payment (POS),Vključujejo plačilo (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Skupaj obremenitve mora biti enaka celotnemu kreditnemu. Razlika je {0} @@ -3283,20 +3296,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Avtomobi DocType: Vehicle,Insurance Company,Zavarovalnica DocType: Asset Category Account,Fixed Asset Account,Fiksna račun premoženja apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,spremenljivka -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Od dobavnica +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Od dobavnica DocType: Student,Student Email Address,Študent e-poštni naslov DocType: Timesheet Detail,From Time,Od časa apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na zalogi: DocType: Notification Control,Custom Message,Sporočilo po meri apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicijsko bančništvo apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Gotovina ali bančnega računa je obvezen za izdelavo vnos plačila -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prosimo nastavitev številčenja vrsto za udeležbi preko Nastavitve> oštevilčevanje Series apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,študent Naslov apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,študent Naslov 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 +1517,Address Name,naslov Ime +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3313,7 +3325,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3321,7 +3333,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Vnesite vrednost mora biti pozitivna +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3330,7 +3342,7 @@ DocType: Process Payroll,Process Payroll,Proces na izplačane plače apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Obstaja več prazniki od delovnih dneh tega meseca. DocType: Product Bundle Item,Product Bundle Item,Izdelek Bundle Postavka DocType: Sales Partner,Sales Partner Name,Prodaja Partner Name -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Zahteva za Citati +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Zahteva za Citati DocType: Payment Reconciliation,Maximum Invoice Amount,Največja Znesek računa DocType: Student Language,Student Language,študent jezik apps/erpnext/erpnext/config/selling.py +23,Customers,Stranke @@ -3341,7 +3353,7 @@ DocType: Asset,Partially Depreciated,delno amortiziranih DocType: Issue,Opening Time,Otvoritev čas apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Od in Do datumov zahtevanih apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vrednostnih papirjev in blagovne borze -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava @@ -3360,7 +3372,7 @@ 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 +266,Raw Material,Surovina +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3372,7 +3384,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Pričetek mora biti pred Zapiranje Datum -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Poimenovanje serijsko {0} preko Nastavitev> Nastavitve> za poimenovanje Series 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." @@ -3385,8 +3396,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serijska št Zahtevano za zaporednimi postavki {0} +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/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 DocType: Journal Entry,Bank Entry,Banka Začetek DocType: Authorization Rule,Applicable To (Designation),Ki se uporabljajo za (Oznaka) @@ -3403,7 +3414,7 @@ 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 +270,Hour,Ura +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3413,7 +3424,7 @@ 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 +645,Point of Sale,Prodajno mesto +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3430,8 +3441,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 +270,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3456,14 +3467,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 +465,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 +466,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 +834,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 +835,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 @@ -3495,7 +3506,7 @@ 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 +436,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0} +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} DocType: Leave Allocation,Unused leaves,Neizkoriščene listi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr DocType: Tax Rule,Billing State,Država za zaračunavanje @@ -3543,7 +3554,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nastavitve za spletni strani 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 +214,Invalid attribute {0} {1},Neveljaven atribut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Izberite ocenjevalne skupine, razen "vseh skupin za presojo"" @@ -3645,16 +3656,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,komponente plače DocType: Program Enrollment Tool,New Academic Year,Novo študijsko leto apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Nazaj / dobropis DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert stopnja Cenik če manjka -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Skupaj Plačan znesek +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Skupaj Plačan znesek DocType: Production Order Item,Transferred Qty,Prenese Kol apps/erpnext/erpnext/config/learn.py +11,Navigating,Krmarjenje apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Načrtovanje 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 +272,We sell this Item,Prodamo ta artikel +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3702,7 +3715,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 +1186,Please set Company,Nastavite Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -3719,13 +3732,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,zbiranje pristojbine DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} že uporabljajo v postavki {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barcode {0} že uporabljajo v postavki {1} DocType: Lead,Add to calendar on this date,Dodaj v koledar na ta dan apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodajanje stroškov dostave. DocType: Item,Opening Stock,Začetna zaloga apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je potrebno kupca apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je obvezna za povračilo DocType: Purchase Order,To Receive,Prejeti +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Osebna Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Skupne variance DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Če je omogočeno, bo sistem objavili računovodske vnose za popis samodejno." @@ -3736,7 +3750,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 +541,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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 @@ -3744,7 +3758,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Iz garancije DocType: BOM Replace Tool,Replace,Zamenjaj apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ni izdelkov. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} za račun {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Ime projekta @@ -3755,6 +3768,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} 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 @@ -3792,9 +3806,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Od Območje apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Skladenjska napaka v formuli ali stanje: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Daily Delo Povzetek Nastavitve Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,"Postavka {0} prezrta, ker ne gre za element parka" +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 +40,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 +102,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 @@ -3802,12 +3816,14 @@ 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 +209,Rate (%),Stopnja (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Nastavite Podjetje filtriranje prazno, če skupina Z je "Podjetje"" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Napotitev datum ne more biti prihodnji datum apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Vrstica # {0}: Serijska št {1} ne ujema z {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Zapusti @@ -3836,7 +3852,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Postavka {0} ni setup za Serijska št. Kolona mora biti prazno +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 DocType: Accounts Settings,Accounts Settings,Računi Nastavitve apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,odobri DocType: Customer,Sales Partner and Commission,Prodaja Partner in Komisija @@ -3851,7 +3867,7 @@ 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 +62,{0} items produced,{0} postavke proizvedene +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3865,7 +3881,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Total Expense zahtevek (pr 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} DocType: Journal Entry Account,Exchange Rate,Menjalni tečaj -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Naročilo {0} ni predloženo +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3890,18 +3906,18 @@ 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 +705,Online,Na zalogi +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Povrne fiksni znesek na obdobje apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vnesite količino za postavko {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Opomba Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Credit Opomba Amt DocType: Employee External Work History,Employee External Work History,Delavec Zunanji Delo Zgodovina DocType: Tax Rule,Purchase,Nakup apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Kol @@ -3927,7 +3943,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 +2383,Select items to save the invoice,"Izberite predmete, da shranite račun" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3957,6 +3973,7 @@ DocType: Guardian,Guardian Of ,Guardian Of DocType: Grading Scale Interval,Threshold,prag DocType: BOM Replace Tool,Current BOM,Trenutni BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj Serijska št +DocType: Production Order Item,Available Qty at Source Warehouse,Na voljo Količina na Vir Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,garancija DocType: Purchase Invoice,Debit Note Issued,Opomin Izdano DocType: Production Order,Warehouses,Skladišča @@ -3972,13 +3989,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plačani znese apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager ,Quoted Item Comparison,Citirano Točka Primerjava apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max popust dovoljena za postavko: {0} je {1}% +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 +279,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 +879,Select Items to Manufacture,Izberite artikel v Izdelava -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"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 @@ -4002,7 +4019,7 @@ DocType: POS Profile,Terms and Conditions,Pravila in pogoji 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 +200,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 +198,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 @@ -4023,7 +4040,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Če želite nastaviti to poslovno leto kot privzeto, kliknite na "Set as Default"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pridruži se apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Pomanjkanje Kol -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi DocType: Employee Loan,Repay from Salary,Poplačilo iz Plača DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Zahteva plačilo pred {0} {1} za znesek {2} @@ -4041,18 +4058,18 @@ 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 +1011,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti." +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serijska št {0} je že prejela +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serijska št {0} je že prejela ,Requested Items To Be Transferred,Zahtevane blago prenaša 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 +1312,Delete permanently?,Izbriši trajno? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Neveljavna {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neveljavna {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Bolniški dopust DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Zaračunavanje Naslov Name @@ -4065,6 +4082,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Obračuna DocType: Company,Change Abbreviation,Spremeni kratico DocType: Expense Claim Detail,Expense Date,Expense Datum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Oznaka> Element Group> Znamka DocType: Item,Max Discount (%),Max Popust (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Zadnja naročite Znesek DocType: Task,Is Milestone,je Milestone @@ -4088,8 +4106,8 @@ DocType: Program Enrollment Tool,New Program,Nov program DocType: Item Attribute Value,Attribute Value,Vrednosti atributa ,Itemwise Recommended Reorder Level,Itemwise Priporočena Preureditev Raven DocType: Salary Detail,Salary Detail,plača Podrobnosti -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Prosimo, izberite {0} najprej" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Serija {0} od Postavka {1} je potekla. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Prosimo, izberite {0} najprej" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Serija {0} od Postavka {1} je potekla. DocType: Sales Invoice,Commission,Komisija apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas List za proizvodnjo. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Vmesni seštevek @@ -4114,12 +4132,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 +399,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 +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/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 +387,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 +382,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 @@ -4149,7 +4167,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,odstranjevanje Datum DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pošta bo poslana vsem aktivnih zaposlenih v družbi na določeni uri, če nimajo počitnic. Povzetek odgovorov bo poslano ob polnoči." DocType: Employee Leave Approver,Employee Leave Approver,Zaposleni Leave odobritelj -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ne more razglasiti kot izgubljena, ker je bil predračun postavil." 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 @@ -4183,6 +4201,7 @@ DocType: Announcement,Student,študent apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,"Organizacijska enota (oddelek), master." apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Vnesite veljavne mobilne nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vnesite sporočilo pred pošiljanjem +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DVOJNIK dobavitelja DocType: Email Digest,Pending Quotations,Dokler Citati apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profila apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Prosimo Posodobite Nastavitve SMS @@ -4191,7 +4210,7 @@ DocType: Cost Center,Cost Center Name,Stalo Ime Center DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max delovne ure pred Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,Načrtovano Datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total Paid Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Total Paid Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Sporočila večji od 160 znakov, bo razdeljeno v več sporočilih" DocType: Purchase Receipt Item,Received and Accepted,Prejme in potrdi ,GST Itemised Sales Register,DDV Razčlenjeni prodaje Registracija @@ -4201,7 +4220,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 +237,Your Suppliers,Vaše Dobavitelji +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"ne more odbiti, če je kategorija za "vrednotenje" ali "Vaulation in Total"" @@ -4213,7 +4232,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Spletna stran slike {0} pritrjena na postavki {1} ni mogoče najti +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. @@ -4228,7 +4247,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Kaj to nared apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Za skladišča apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Vse Študentski Sprejemi ,Average Commission Rate,Povprečen Komisija Rate -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Ima Serial ne" ne more biti 'Da' za ne-parka postavko +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"Ima Serial ne" ne more biti 'Da' za ne-parka postavko apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Udeležba ni mogoče označiti za prihodnje datume DocType: Pricing Rule,Pricing Rule Help,Cen Pravilo Pomoč DocType: School House,House Name,Ime House @@ -4244,7 +4263,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 +339,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 +340,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 @@ -4259,20 +4278,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Plača Slip delavca {0} že ustvarili za časa stanja {1} DocType: Vehicle Log,Odometer,števec kilometrov DocType: Sales Order Item,Ordered Qty,Naročeno Kol -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Postavka {0} je onemogočena +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Ustvarjajo plače kombineže -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Odkup je treba preveriti, če se uporablja za izbrana kot {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Odkup je treba preveriti, če se uporablja za izbrana kot {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,"Popust, mora biti manj kot 100" 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 +500,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Pristali Stroški bon @@ -4335,7 +4354,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Pričakovani datum ne more biti pred Material Request Datum DocType: Purchase Invoice Item,Stock Qty,Stock Kol DocType: Purchase Invoice Item,Stock Qty,Stock Kol -DocType: Production Order,Source Warehouse (for reserving Items),Vir Skladišče (za rezervacijo Predmeti) DocType: Employee Loan,Repayment Period in Months,Vračilo Čas v mesecih apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Napaka: Ni veljaven id? DocType: Naming Series,Update Series Number,Posodobi številko zaporedja @@ -4384,7 +4402,7 @@ DocType: Production Order,Planned End Date,Načrtovan End Date apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Če so predmeti shranjeni. DocType: Request for Quotation,Supplier Detail,Dobavitelj Podrobnosti apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Napaka v formuli ali stanja: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Obračunani znesek +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Obračunani znesek DocType: Attendance,Attendance,Udeležba apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,zalogi DocType: BOM,Materials,Materiali @@ -4424,10 +4442,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Nastavitev preprosto spletno stran za svojo organizacijo +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}" DocType: Item,Default Warehouse,Privzeto Skladišče apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Proračun ne more biti dodeljena pred Group račun {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vnesite stroškovno mesto matično @@ -4488,7 +4506,7 @@ 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 +1344,Select or add new customer,Izberite ali dodati novo stranko +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/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 @@ -4496,6 +4514,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prosimo nastavitev zaposlenih Poimenovanje sistema v kadrovsko> HR Nastavitve 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 +231,{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. @@ -4518,7 +4537,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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" @@ -4538,7 +4557,7 @@ DocType: POS Profile,Account for Change Amount,Račun za znesek spremembe apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Vrstica {0}: Party / račun se ne ujema z {1} / {2} v {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vnesite Expense račun DocType: Account,Stock,Zaloga -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od narocilo, Nakup računa ali Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od narocilo, Nakup računa ali Journal Entry" DocType: Employee,Current Address,Trenutni naslov DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Če postavka je varianta drug element, potem opis, slike, cene, davki, itd bo določil iz predloge, razen če je izrecno določeno" DocType: Serial No,Purchase / Manufacture Details,Nakup / Izdelava Podrobnosti @@ -4577,11 +4596,12 @@ DocType: Student,Home Address,Domači naslov apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,prenos sredstev DocType: POS Profile,POS Profile,POS profila DocType: Training Event,Event Name,Ime dogodka -apps/erpnext/erpnext/config/schools.py +39,Admission,sprejem +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,sprejem apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Vstopnine za {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Postavka {0} je predlogo, izberite eno od njenih različic" DocType: Asset,Asset Category,sredstvo Kategorija +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Kupec apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto plača ne more biti negativna DocType: SMS Settings,Static Parameters,Statični Parametri DocType: Assessment Plan,Room,soba @@ -4590,6 +4610,7 @@ DocType: Item,Item Tax,Postavka Tax apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material za dobavitelja apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Territory DocType: Expense Claim,Employees Email Id,Zaposleni Email Id DocType: Employee Attendance Tool,Marked Attendance,markirana Udeležba apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kratkoročne obveznosti @@ -4661,6 +4682,7 @@ DocType: Leave Type,Is Carry Forward,Se Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Povzetek diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv index eb304fb874..e533038c0b 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 +194,"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 +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" 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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Festa Lista -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Llogaritar +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Llogaritar DocType: Cost Center,Stock User,Stock User DocType: Company,Phone No,Telefoni Asnjë apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Oraret e kursit krijuar: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Nuk lejohet për {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Të marrë sendet nga -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Nuk sende gjetur +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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ë @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Raportet DocType: Warehouse,Warehouse Detail,Magazina Detail apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kufiri i kreditit ka kaluar për konsumator {0} {1} / {2} 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.,"Term End Date nuk mund të jetë më vonë se Data Year fund të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri." -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Nga {0} në {1} DocType: Item,Copy From Item Group,Kopje nga grupi Item DocType: Journal Entry,Opening Entry,Hyrja Hapja -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> Territory apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Llogaria Pay Vetëm DocType: Employee Loan,Repay Over Number of Periods,Paguaj Over numri i periudhave DocType: Stock Entry,Additional Costs,Kostot shtesë @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Deklarata e llogarisë +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 DocType: Purchase Invoice Item,Is Fixed Asset,Është i aseteve fikse apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Qty në dispozicion është {0}, ju duhet {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Harxhuese +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +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ë. 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 +302,Example: Basic Mathematics,Shembull: Matematikë themelore +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/config/hr.py +214,Settings for HR Module,Cilësimet për HR Module DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Artikuj dhe Çmimeve apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Gjithsej orë: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Nga Data duhet të jetë brenda vitit fiskal. Duke supozuar Nga Data = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Kuotat DocType: Customer,Individual,Individ DocType: Interest,Academics User,akademikët User DocType: Cheque Print Template,Amount In Figure,Shuma Në Figurën @@ -265,7 +266,7 @@ DocType: Employee,Create User,Krijo përdoruesin DocType: Selling Settings,Default Territory,Gabim Territorit apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televizion DocType: Production Order Operation,Updated via 'Time Log',Përditësuar nëpërmjet 'Koha Identifikohu " -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},shuma paraprakisht nuk mund të jetë më i madh se {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},shuma paraprakisht nuk mund të jetë më i madh se {0} {1} DocType: Naming Series,Series List for this Transaction,Lista Seria për këtë transaksion DocType: Company,Enable Perpetual Inventory,Aktivizo Inventari Përhershëm DocType: Company,Default Payroll Payable Account,Default Payroll Llogaria e pagueshme @@ -273,7 +274,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 +177,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 +175,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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontakt Emri +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lehtësimin Data duhet të jetë më i madh se data e bashkimit apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lë në vit 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 +189,Warehouse {0} does not belong to company {1},Magazina {0} nuk i përkasin kompanisë {1} +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 +270,Litre,Litra +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Banka Entries apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Vjetor DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pajtimi Item @@ -315,7 +316,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 +316,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 +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Lejo përdoruesit për të redaktua 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 +699,Item {0} is cancelled,Item {0} është anuluar +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 +882,Material Request,Kërkesë materiale DocType: Bank Reconciliation,Update Clearance Date,Update Pastrimi Data DocType: Item,Purchase Details,Detajet Blerje @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Menaxher apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +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" 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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} hyrë dy herë në Tatimin Item +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} hyrë dy herë në Tatimin Item apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Përmbledhje për këtë javë dhe aktivitete në pritje DocType: Student Applicant,Admitted,pranuar DocType: Workstation,Rent Cost,Qira Kosto @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Marra apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Krijo Grupet Student apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Tashmë komplet !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Note Shuma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Credit Note Shuma ,Finished Goods,Mallrat përfunduar DocType: Delivery Note,Instructions,Udhëzime DocType: Quality Inspection,Inspected By,Inspektohen nga @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Krijo një klient i ri +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi Setup numëron seri për Pjesëmarrja nëpërmjet Setup> Numbering Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Krijo urdhëron Blerje ,Purchase Register,Blerje Regjistrohu DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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ë -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} zgjedhur disa herë në atributet Tabelën +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Atribut {0} zgjedhur disa herë në atributet Tabelën DocType: HR Settings,Employee record is created using selected field. ,Rekord punonjës është krijuar duke përdorur fushën e zgjedhur. DocType: Sales Order,Not Applicable,Nuk aplikohet apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Mjeshtër pushime. @@ -529,7 +531,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 +219,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 +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/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" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ju lutem shkruani Magazina për të cilat do të ngrihen materiale Kërkesë DocType: Production Order,Additional Operating Cost,Shtesë Kosto Operative apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kozmetikë -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Të bashkojë, pronat e mëposhtme duhet të jenë të njëjta për të dy artikujve" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Të bashkojë, pronat e mëposhtme duhet të jenë të njëjta për të dy artikujve" DocType: Shipping Rule,Net Weight,Net Weight DocType: Employee,Emergency Phone,Urgjencës Telefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,blej @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë +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ë 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 @@ -573,7 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / Edit taksat dhe tatimet DocType: Purchase Invoice,Supplier Invoice No,Furnizuesi Fatura Asnjë DocType: Territory,For reference,Për referencë -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Nuk mund të fshini serial {0}, ashtu siç është përdorur në transaksionet e aksioneve" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Nuk mund të fshini serial {0}, ashtu siç është përdorur në transaksionet e aksioneve" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Mbyllja (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Leviz Item DocType: Serial No,Warranty Period (Days),Garanci Periudha (ditë) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Ju lutem, përzgjidhni kompanisë dhe Partisë Lloji i parë" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financiare / vit kontabilitetit. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Vlerat e akumuluara -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Na vjen keq, Serial Nos nuk mund të bashkohen" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Na vjen keq, Serial Nos nuk mund të bashkohen" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Bëni Sales Order DocType: Project Task,Project Task,Projekti Task ,Lead Id,Lead Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Alokimi apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Shitjet Kthehu 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,Shënim: gjethet total alokuara {0} nuk duhet të jetë më pak se gjethet e miratuara tashmë {1} për periudhën +,Total Stock Summary,Total Stock Përmbledhje DocType: Announcement,Posted By,postuar Nga DocType: Item,Delivered by Supplier (Drop Ship),Dorëzuar nga Furnizuesi (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza e të dhënave të konsumatorëve potencial. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Baza e të dhënav DocType: Quotation,Quotation To,Citat Për DocType: Lead,Middle Income,Të ardhurat e Mesme apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Hapja (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default njësinë e matjes për artikullit {0} nuk mund të ndryshohet drejtpërdrejt sepse ju keni bërë tashmë një transaksioni (et) me një tjetër UOM. Ju do të duhet për të krijuar një artikull të ri për të përdorur një Default ndryshme UOM. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default njësinë e matjes për artikullit {0} nuk mund të ndryshohet drejtpërdrejt sepse ju keni bërë tashmë një transaksioni (et) me një tjetër UOM. Ju do të duhet për të krijuar një artikull të ri për të përdorur një Default ndryshme UOM. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Shuma e ndarë nuk mund të jetë negative apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ju lutemi të vendosur Kompaninë apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ju lutemi të vendosur Kompaninë @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Vlerësimi maksimal Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Datat e transaksionit Update Banka apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Koha Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Duplicate TRANSPORTUESIT DocType: Fiscal Year Company,Fiscal Year Company,Fiskale Viti i kompanisë DocType: Packing Slip Item,DN Detail,DN Detail DocType: Training Event,Conference,konferencë @@ -683,8 +687,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 +320,Timesheet created:,Pasqyrë e mungesave krijuar: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 @@ -713,7 +717,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 +139,Finish,fund +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,fund apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,bazë DocType: Timesheet,Total Billed Hours,Orët totale faturuara DocType: Journal Entry,Write Off Amount,Shkruani Off Shuma @@ -748,7 +752,7 @@ DocType: Hub Settings,Seller City,Shitës qytetit ,Absent Student Report,Mungon Raporti Student DocType: Email Digest,Next email will be sent on:,Email ardhshëm do të dërgohet në: DocType: Offer Letter Term,Offer Letter Term,Oferta Letër Term -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item ka variante. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Item ka variante. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} nuk u gjet DocType: Bin,Stock Value,Stock Vlera apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Kompania {0} nuk ekziston @@ -794,12 +798,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,bëni pasqyrë e mungesave +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -838,13 +842,13 @@ DocType: Company,Default Cost of Goods Sold Account,Gabim Kostoja e mallrave të 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 DocType: Request for Quotation Supplier,Send Email,Dërgo Email -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Warning: Attachment Invalid {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nuk ka leje +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Warning: Attachment Invalid {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Nuk ka leje 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -863,7 +867,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 +274,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 +275,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 @@ -951,14 +955,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} duhet të jetë aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Asnjë {0} nuk i përkasin Item {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Serial Asnjë {0} nuk i përkasin Item {1} DocType: Purchase Receipt Item Supplied,Required Qty,Kerkohet Qty apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Depot me transaksion ekzistues nuk mund të konvertohet në librin. DocType: Bank Reconciliation,Total Amount,Shuma totale @@ -975,7 +979,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponentet apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ju lutem shkruani Pasurive Kategoria në pikën {0} DocType: Quality Inspection Reading,Reading 6,Leximi 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,"Nuk mund {0} {1} {2}, pa asnjë faturë negative shquar" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,"Nuk mund {0} {1} {2}, pa asnjë faturë negative shquar" DocType: Purchase Invoice Advance,Purchase Invoice Advance,Blerje Faturë Advance DocType: Hub Settings,Sync Now,Sync Tani apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Hyrja e kredisë nuk mund të jetë i lidhur me një {1} @@ -989,12 +993,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 +731,New Sales Invoice,Sales New Fatura +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Sync Offline Faturat +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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ë @@ -1027,10 +1031,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimik DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Llogaria bankare / Cash do të rifreskohet automatikisht në Paga Journal hyrjes kur ky modalitet zgjidhet. DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kosto (Company Valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,metër +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1053,7 +1057,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 +452,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma" +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" 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ë @@ -1061,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,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 +259,Qty for {0},Qty për {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1073,9 +1077,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Cash / Llogarisë Bankare apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ju lutem specifikoni një {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Artikuj hequr me asnjë ndryshim në sasi ose në vlerë. DocType: Delivery Note,Delivery To,Ofrimit të -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabela atribut është i detyrueshëm +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Tabela atribut është i detyrueshëm DocType: Production Planning Tool,Get Sales Orders,Get Sales urdhëron -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nuk mund të jetë negative +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nuk mund të jetë negative apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Zbritje DocType: Asset,Total Number of Depreciations,Numri i përgjithshëm i nënçmime DocType: Sales Invoice Item,Rate With Margin,Shkalla me diferencë @@ -1112,7 +1116,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 +1546,ZIP Code,Kodi Postal +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1131,7 +1135,7 @@ 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 +238,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 +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/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ë) @@ -1156,7 +1160,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Ju lutemi të vendosur 'Aplikoni Discount shtesë në' +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 DocType: Global Defaults,Global Defaults,Defaults Global @@ -1164,10 +1168,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 +22,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 +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} 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 +347,Capacity Planning Error,Kapaciteti Planifikimi Gabim +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapaciteti Planifikimi Gabim ,Trial Balance for Party,Bilanci gjyqi për Partinë DocType: Lead,Consultant,Konsulent DocType: Salary Slip,Earnings,Fitim @@ -1186,7 +1190,7 @@ DocType: Purchase Invoice,Is Return,Është Kthimi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} nos vlefshme serik për Item {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} nos vlefshme serik për Item {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Kodi artikull nuk mund të ndryshohet për të Serial Nr apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profilin {0} krijuar tashmë për përdorues: {1} dhe kompani {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Konvertimi Faktori @@ -1196,7 +1200,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 +675,Cost Center For Item with Item Code ',Qendra Kosto Per Item me Kodin Item " -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1239,7 +1243,7 @@ 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,Shiko Ledger 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} nuk mund të ketë Serisë @@ -1268,7 +1272,7 @@ 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 +288,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1279,7 +1283,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Sales Order {0} nuk është e vlefshme +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/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} \ @@ -1297,14 +1301,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Vendi i lëshimit apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontratë DocType: Email Digest,Add Quote,Shto Citim -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Faktori UOM Coversion nevojshme për UOM: {0} në Item: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Faktori UOM Coversion nevojshme për UOM: {0} në Item: {1} 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 +736,Sync Master Data,Sync Master Data -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produktet ose shërbimet tuaja +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 DocType: Mode of Payment,Mode of Payment,Mënyra e pagesës -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ky është një grup artikull rrënjë dhe nuk mund të redaktohen. @@ -1322,14 +1326,13 @@ 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 +562,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar +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/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ë." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Statusi Rendit Prodhimi është {0} DocType: Appraisal Goal,Goal,Qëllim DocType: Sales Invoice Item,Edit Description,Ndrysho Përshkrimi ,Team Updates,Ekipi Updates @@ -1345,14 +1348,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,depo Child ekziston për këtë depo. Ju nuk mund të fshini këtë depo. DocType: Item,Website Item Groups,Faqja kryesore Item Grupet DocType: Purchase Invoice,Total (Company Currency),Total (Kompania Valuta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Numri serik {0} hyrë më shumë se një herë +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 +78,{0} items in progress,{0} artikuj në progres +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1} +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} 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 @@ -1411,7 +1414,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1426,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1434,7 +1436,7 @@ DocType: Sales Invoice,Shipping Address Name,Transporti Adresa Emri apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Lista e Llogarive DocType: Material Request,Terms and Conditions Content,Termat dhe Kushtet Përmbajtja apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nuk mund të jetë më i madh se 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Item {0} nuk është një gjendje Item +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Item {0} nuk është një gjendje Item DocType: Maintenance Visit,Unscheduled,Paplanifikuar DocType: Employee,Owned,Pronësi DocType: Salary Detail,Depends on Leave Without Pay,Varet në pushim pa pagesë @@ -1465,7 +1467,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 +273,We buy this Item,Ne blerë këtë artikull +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1476,7 +1478,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 +266,Sub Assemblies,Kuvendet Nën +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1509,12 +1511,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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ë -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nuk u gjetën në tabelën e Pagesave të dhënat apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Kjo {0} konfliktet me {1} për {2} {3} DocType: Student Attendance Tool,Students HTML,studentët HTML DocType: POS Profile,Apply Discount,aplikoni Discount -DocType: Purchase Invoice Item,GST HSN Code,GST Code HSN +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 +283,Packing Slip(s) cancelled,Paketimi Shqip (s) anulluar @@ -1557,8 +1559,8 @@ 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 +2573,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 +269,Box,Kuti +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 +873,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 @@ -1588,7 +1590,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Metoda Ripagimi DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nëse zgjidhet, faqja Faqja do të jetë paracaktuar Item Grupi për faqen e internetit" DocType: Quality Inspection Reading,Reading 4,Leximi 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM Default për {0} nuk u gjet për Projektin {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Kërkesat për shpenzimet e kompanisë. 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} @@ -1605,29 +1606,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Detyra e re apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Bëni Kuotim apps/erpnext/erpnext/config/selling.py +216,Other Reports,Raportet tjera DocType: Dependent Task,Dependent Task,Detyra e varur -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktori i konvertimit për Njësinë e parazgjedhur të Masës duhet të jetë 1 në rreshtin e {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Faktori i konvertimit për Njësinë e parazgjedhur të Masës duhet të jetë 1 në rreshtin e {0} 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} DocType: SMS Center,Receiver List,Marresit Lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Kërko Item +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,përfunduar tashmë +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Customer POS Id DocType: Account,Account Name,Emri i llogarisë apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Nga Data nuk mund të jetë më i madh se deri më sot -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} sasi {1} nuk mund të jetë një pjesë +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} sasi {1} nuk mund të jetë një pjesë apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Furnizuesi Lloji mjeshtër. DocType: Purchase Order Item,Supplier Part Number,Furnizuesi Pjesa Numër apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Shkalla e konvertimit nuk mund të jetë 0 ose 1 @@ -1635,6 +1636,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Automjeteve Dërgimi Data +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Gabim Llogaria pagueshme apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Cilësimet për internet shopping cart tilla si rregullat e transportit detar, lista e çmimeve etj" @@ -1691,7 +1693,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Përfshijnë pushim DocType: Sales Invoice,Packed Items,Items të mbushura apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garanci Padia kundër Serial Nr DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Replace një bom të veçantë në të gjitha BOM-in e tjera ku është përdorur. Ajo do të zëvendësojë vjetër linkun bom, Përditëso koston dhe rigjenerimin "bom Shpërthimi pika" tryezë si për të ri bom" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Total" +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total',"Total" DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivizo Shporta DocType: Employee,Permanent Address,Adresa e përhershme apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1727,6 +1729,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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" @@ -1746,7 +1749,7 @@ 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 +699,Offline,në linjë +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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ë @@ -1763,7 +1766,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Kryesor apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Prefiksi vendosur për numëron seri mbi transaksionet tuaja DocType: Employee Attendance Tool,Employees HTML,punonjësit HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj 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 @@ -1776,7 +1779,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 +175,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 +173,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 @@ -1785,7 +1788,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupi Student Forca apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Kundër Fletoren Hyrja {0} nuk ka asnjë pashoq {1} hyrje apps/erpnext/erpnext/config/hr.py +137,Appraisals,vlerësime -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicate Serial Asnjë hyrë për Item {0} +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" @@ -1794,7 +1797,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} duhet të dorëzohet +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Pagesa @@ -1813,12 +1816,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Lëvizja e aseteve -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Shporta e re +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1844,7 +1847,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Të marrë sendet nga Pranimeve Blerje DocType: Serial No,Creation Date,Krijimi Data apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Item {0} shfaqet herë të shumta në Çmimi Lista {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Shitja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Shitja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}" DocType: Production Plan Material Request,Material Request Date,Material Kërkesa Date DocType: Purchase Order Item,Supplier Quotation Item,Citat Furnizuesi Item DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Pamundëson krijimin e kohës shkrimet kundër urdhërat e prodhimit. Operacionet nuk do të gjurmuar kundër Rendit Production @@ -1861,12 +1864,12 @@ DocType: Supplier,Supplier of Goods or Services.,Furnizuesi i mallrave ose shër DocType: Budget,Fiscal Year,Viti Fiskal DocType: Vehicle Log,Fuel Price,Fuel Price DocType: Budget,Budget,Buxhet -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Item Aseteve duhet të jetë një element jo-aksioneve. +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 +209,e.g. 5,p.sh. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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ë. @@ -1875,7 +1878,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,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 +263,A Product or Service,Një produkt apo shërbim +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1950,7 +1953,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Palë +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Palë apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1969,10 +1972,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,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 +342,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme +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 DocType: Shipping Rule Condition,Shipping Amount,Shuma e anijeve -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Shto Konsumatorët +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1989,6 +1992,7 @@ DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme ,Supplier-Wise Sales Analytics,Furnizuesi-i mençur Sales Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Shkruani shumën e paguar DocType: Salary Structure,Select employees for current Salary Structure,Zgjidh punonjës për strukturën e tanishme të pagave +DocType: Sales Invoice,Company Address Name,Adresa e Kompanisë Emri DocType: Production Order,Use Multi-Level BOM,Përdorni Multi-Level bom DocType: Bank Reconciliation,Include Reconciled Entries,Përfshini gjitha pajtuar 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)" @@ -2009,7 +2013,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 +269,Unit,Njësi +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2030,7 +2034,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,shuma Diferenca @@ -2039,7 +2043,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klasifikimi i Konsumatorëve sipas rajonit apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Dallimi Shuma duhet të jetë zero DocType: Project,Gross Margin,Marzhi bruto -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Ju lutemi shkruani Prodhimi pikën e parë +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 +748,Quotation,Citat @@ -2051,7 +2055,7 @@ 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 ** **. DocType: Opportunity,Customer / Lead Address,Customer / Adresa Lead -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Warning: certifikatë SSL Invalid në shtojcën {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Warning: certifikatë SSL Invalid në shtojcën {0} DocType: Student Admission,Eligibility,pranueshmëri apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Çon ju ndihmojë të merrni të biznesit, shtoni të gjitha kontaktet tuaja dhe më shumë si çon tuaj" DocType: Production Order Operation,Actual Operation Time,Aktuale Operacioni Koha @@ -2070,11 +2074,11 @@ DocType: Appraisal,Calculate Total Score,Llogaritur Gjithsej Vota DocType: Request for Quotation,Manufacturing Manager,Prodhim Menaxher apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Asnjë {0} është nën garanci upto {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Shënim Split dorëzimit në pako. -apps/erpnext/erpnext/hooks.py +87,Shipments,Dërgesat +apps/erpnext/erpnext/hooks.py +94,Shipments,Dërgesat DocType: Payment Entry,Total Allocated Amount (Company Currency),Gjithsej shuma e akorduar (Company Valuta) DocType: Purchase Order Item,To be delivered to customer,Që do të dërgohen për të klientit DocType: BOM,Scrap Material Cost,Scrap Material Kosto -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Serial Asnjë {0} nuk i përkasin ndonjë Magazina +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Serial Asnjë {0} nuk i përkasin ndonjë Magazina DocType: Purchase Invoice,In Words (Company Currency),Me fjalë (Kompania Valuta) DocType: Asset,Supplier,Furnizuesi DocType: C-Form,Quarter,Çerek @@ -2089,11 +2093,10 @@ DocType: Leave Application,Total Leave Days,Ditët Totali i pushimeve DocType: Email Digest,Note: Email will not be sent to disabled users,Shënim: Email nuk do të dërgohet për përdoruesit me aftësi të kufizuara apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numri i bashkëveprimit apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numri i bashkëveprimit -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Markë 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 +408,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1} +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} 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" @@ -2137,7 +2140,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Shpenzim Kërkesa Detail -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Ju lutem, përzgjidhni llogarinë e saktë" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Tri kopje për furnizuesit +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Ju lutem, përzgjidhni llogarinë e saktë" DocType: Item,Weight UOM,Pesha UOM DocType: Salary Structure Employee,Salary Structure Employee,Struktura Paga e punonjësve DocType: Employee,Blood Group,Grup gjaku @@ -2159,7 +2163,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debi Për të është e nevojshme +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/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 @@ -2172,7 +2176,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total papaguar: {0 DocType: BOM Website Operation,BOM Website Operation,BOM Website Operacioni apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Oferta Letër apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generate Kërkesat materiale (MRP) dhe urdhërat e prodhimit. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Gjithsej faturuara Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Gjithsej faturuara Amt DocType: BOM,Conversion Rate,Shkalla e konvertimit apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Product Kërko DocType: Timesheet Detail,To Time,Për Koha @@ -2187,7 +2191,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Trajnimi Event punonjës -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numrat Serial nevojshme për Item {1}. Ju keni dhënë {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numrat Serial nevojshme për Item {1}. Ju keni dhënë {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Shkalla aktuale Vlerësimi DocType: Item,Customer Item Codes,Kodet Customer Item apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gain / Humbje @@ -2235,7 +2239,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 +2454,Select Batch No,Zgjidh Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2259,19 +2263,19 @@ DocType: Leave Block List,Allow Users,Lejojnë përdoruesit DocType: Purchase Order,Customer Mobile No,Customer Mobile Asnjë DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Track ardhurat veçantë dhe shpenzimet për verticals produkt apo ndarjet. DocType: Rename Tool,Rename Tool,Rename Tool -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update Kosto +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 +438,Show Salary Slip,Trego Paga Shqip apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Llogaria Shuma Zgjidh ndryshim +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Shto Tatimet +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2282,6 +2286,7 @@ DocType: Stock Entry,Purchase Receipt No,Pranimi Blerje Asnjë apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Kaparosje DocType: Process Payroll,Create Salary Slip,Krijo Kuponi pagave apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Gjurmimi +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / Code SAC 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 @@ -2311,7 +2316,7 @@ DocType: Employee Education,Post Graduate,Post diplomuar DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Mirëmbajtja Orari Detail DocType: Quality Inspection Reading,Reading 9,Leximi 9 DocType: Supplier,Is Frozen,Është ngrira -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,depo nyje Group nuk është e lejuar për të zgjedhur për transaksionet +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,depo nyje Group nuk është e lejuar për të zgjedhur për transaksionet DocType: Buying Settings,Buying Settings,Blerja Cilësimet DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM Jo për një artikull përfundoi mirë DocType: Upload Attendance,Attendance To Date,Pjesëmarrja në datën @@ -2327,13 +2332,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,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 +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ju lutem shkruani e planifikuar Qty për Item {0} në rresht {1} @@ -2355,7 +2360,7 @@ DocType: Authorization Rule,Authorized Value,Vlera e autorizuar DocType: BOM,Show Operations,Shfaq Operacionet ,Minutes to First Response for Opportunity,Minuta për Përgjigje e parë për Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Gjithsej Mungon -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Item ose Magazina për rresht {0} nuk përputhet Materiale Kërkesë +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Item ose Magazina për rresht {0} nuk përputhet Materiale Kërkesë apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Njësia e Masës DocType: Fiscal Year,Year End Date,Viti End Date DocType: Task Depends On,Task Depends On,Detyra varet @@ -2427,7 +2432,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 +106,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 +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/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 @@ -2525,9 +2530,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar" +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/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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Qendra Kosto apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Kupon # DocType: Notification Control,Purchase Order Message,Rendit Blerje mesazh @@ -2543,7 +2548,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 +1165,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 +1086,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 +773,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 @@ -2562,7 +2567,7 @@ DocType: Project,Task Completion,Task Përfundimi apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Jo në magazinë DocType: Appraisal,HR User,HR User DocType: Purchase Invoice,Taxes and Charges Deducted,Taksat dhe Tarifat zbritet -apps/erpnext/erpnext/hooks.py +116,Issues,Çështjet +apps/erpnext/erpnext/hooks.py +124,Issues,Çështjet apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Statusi duhet të jetë një nga {0} DocType: Sales Invoice,Debit To,Debi Për DocType: Delivery Note,Required only for sample item.,Kërkohet vetëm për pika të mostrës. @@ -2591,6 +2596,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territor apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ju lutemi përmendni i vizitave të kërkuara DocType: Stock Settings,Default Valuation Method,Gabim Vlerësimi Metoda +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,tarifë DocType: Vehicle Log,Fuel Qty,Fuel Qty DocType: Production Order Operation,Planned Start Time,Planifikuar Koha e fillimit DocType: Course,Assessment,vlerësim @@ -2600,12 +2606,12 @@ 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 +149,Quotation {0} is cancelled,Citat {0} është anuluar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Shuma totale Outstanding +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Gjitha Shitjet Transaksionet mund të tagged kundër shumta ** Personat Sales ** në mënyrë që ju mund të vendosni dhe monitoruar objektivat. ,S.O. No.,SO Nr -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Ju lutem të krijuar Customer nga Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Ju lutem të krijuar Customer nga Lead {0} DocType: Price List,Applicable for Countries,Të zbatueshme për vendet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Vetëm Dërgo Aplikacione me status 'miratuar' dhe 'refuzuar' mund të dorëzohet apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student Group Emri është i detyrueshëm në rresht {0} @@ -2643,6 +2649,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/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 @@ -2685,8 +2692,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Transferimi materiale pë 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.,Përqindja zbritje mund të aplikohet ose ndaj një listë të çmimeve apo për të gjithë listën e çmimeve. DocType: Purchase Invoice,Half-yearly,Gjashtëmujor apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Hyrja kontabilitetit për magazinë +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ju kanë vlerësuar tashmë me kriteret e vlerësimit {}. DocType: Vehicle Service,Engine Oil,Vaj makine -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi Setup punonjës Emërtimi Sistemit në Burimeve Njerëzore> Cilësimet HR DocType: Sales Invoice,Sales Team1,Shitjet Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Item {0} nuk ekziston DocType: Sales Invoice,Customer Address,Customer Adresa @@ -2714,7 +2721,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Personit juridik / subsidiare me një tabelë të veçantë e llogarive i përkasin Organizatës. DocType: Payment Request,Mute Email,Mute Email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Ushqim, Pije & Duhani" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Vetëm mund të bëni pagesën kundër pafaturuar {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Vetëm mund të bëni pagesën kundër pafaturuar {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Shkalla e Komisionit nuk mund të jetë më e madhe se 100 DocType: Stock Entry,Subcontract,Nënkontratë apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ju lutem shkruani {0} parë @@ -2742,7 +2749,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Pjesëmarrja mujore Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Punonjës {0} ka aplikuar tashmë për {1} midis {2} dhe {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekti Data e Fillimit -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Deri +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Deri DocType: Rename Tool,Rename Log,Rename Kyçu apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupi Student ose Course Orari është i detyrueshëm apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Grupi Student ose Course Orari është i detyrueshëm @@ -2767,7 +2774,7 @@ DocType: Purchase Order Item,Returned Qty,U kthye Qty DocType: Employee,Exit,Dalje apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Lloji është i detyrueshëm DocType: BOM,Total Cost(Company Currency),Kosto totale (Company Valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial Asnjë {0} krijuar +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Serial Asnjë {0} krijuar DocType: Homepage,Company Description for website homepage,Përshkrimi i kompanisë për faqen e internetit DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Për komoditetin e klientëve, këto kode mund të përdoren në formate të shtypura si faturat dhe ofrimit të shënimeve" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Emri suplier @@ -2788,7 +2795,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Oraret e kursit fshirë: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Shkrime për ruajtjen e statusit të dorëzimit SMS DocType: Accounts Settings,Make Payment via Journal Entry,Të bëjë pagesën përmes Journal Hyrja -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Shtypur On +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Shtypur On DocType: Item,Inspection Required before Delivery,Inspektimi i nevojshëm para dorëzimit DocType: Item,Inspection Required before Purchase,Inspektimi i nevojshëm para se Blerja apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Aktivitetet në pritje @@ -2820,9 +2827,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Bat apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Kaloi 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.,Një term akademike me këtë 'vitin akademik' {0} dhe 'Term Emri' {1} ekziston. Ju lutemi të modifikojë këto të hyra dhe të provoni përsëri. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Si ka transaksione ekzistuese kundër artikull {0}, ju nuk mund të ndryshojë vlerën e {1}" +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}","Si ka transaksione ekzistuese kundër artikull {0}, ju nuk mund të ndryshojë vlerën e {1}" DocType: UOM,Must be Whole Number,Duhet të jetë numër i plotë DocType: Leave Control Panel,New Leaves Allocated (In Days),Lë të reja alokuara (në ditë) +DocType: Sales Invoice,Invoice Copy,fatura Copy apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial Asnjë {0} nuk ekziston DocType: Sales Invoice Item,Customer Warehouse (Optional),Magazina Customer (Fakultativ) DocType: Pricing Rule,Discount Percentage,Përqindja Discount @@ -2868,8 +2876,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Auto Issue ngushtë pas 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Entries +DocType: Program Enrollment,Boarding Student,Boarding Student DocType: Asset,Expected Value After Useful Life,Vlera e pritshme pas së dobishme DocType: Item,Reorder level based on Warehouse,Niveli Reorder bazuar në Magazina DocType: Activity Cost,Billing Rate,Rate Faturimi @@ -2897,11 +2907,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Zgjidh studentët me dorë për aktivitetin bazuar Grupit DocType: Journal Entry,User Remark,Përdoruesi Vërejtje DocType: Lead,Market Segment,Segmenti i Tregut -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Shuma e paguar nuk mund të jetë më e madhe se shuma totale negative papaguar {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Shuma e paguar nuk mund të jetë më e madhe se shuma totale negative papaguar {0} DocType: Employee Internal Work History,Employee Internal Work History,Punonjës historia e Brendshme apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Mbyllja (Dr) DocType: Cheque Print Template,Cheque Size,Çek Size -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial Asnjë {0} nuk në magazinë +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Serial Asnjë {0} nuk në magazinë apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Template taksave për shitjen e transaksioneve. DocType: Sales Invoice,Write Off Outstanding Amount,Shkruani Off Outstanding Shuma apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Llogaria {0} nuk përputhet me Kompaninë {1} @@ -2925,7 +2935,7 @@ 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 +348,Add a few sample records,Shto një pak të dhënat mostër +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/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 @@ -2939,17 +2949,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Pa serial dhe Batch DocType: Warranty Claim,From Company,Nga kompanisë -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Shuma e pikëve të kritereve të vlerësimit të nevojave të jetë {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Shuma e pikëve të kritereve të vlerësimit të nevojave të jetë {0}. 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 +270,Minute,Minutë +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2970,7 +2980,7 @@ DocType: Production Order,PRO-,PRO apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Llogaria Overdraft Banka apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Bëni Kuponi pagave apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Shuma e ndarë nuk mund të jetë më e madhe se shuma e papaguar. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Shfleto bom +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Shfleto bom apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Kredi të siguruara DocType: Purchase Invoice,Edit Posting Date and Time,Edit Posting Data dhe Koha apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ju lutemi të vendosur Llogaritë zhvlerësimit lidhur në Kategorinë Aseteve {0} ose kompanisë {1} @@ -2986,7 +2996,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 +278,Select Quantity,Zgjidh Sasia +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3009,6 +3019,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nuk lejohet të përtërini transaksioneve të aksioneve të vjetër se {0} DocType: Purchase Invoice Item,PR Detail,PR Detail DocType: Sales Order,Fully Billed,Faturuar plotësisht +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizuesi> Furnizuesi lloji 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 +127,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) @@ -3047,8 +3058,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Shuma kushton (nëpërmjet 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 DocType: Customs Tariff Number,Tariff Number,Numri Tarifa +DocType: Production Order Item,Available Qty at WIP Warehouse,Qty në dispozicion në WIP Magazina apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projektuar -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Asnjë {0} nuk i përkasin Magazina {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serial Asnjë {0} nuk i përkasin Magazina {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,Shënim: Sistemi nuk do të kontrollojë mbi-ofrimit dhe mbi-prenotim për Item {0} si sasi apo shumë është 0 DocType: Notification Control,Quotation Message,Citat Mesazh DocType: Employee Loan,Employee Loan Application,Punonjës Loan Application @@ -3067,13 +3079,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kosto zbarkoi Voucher Shuma apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturat e ngritura nga furnizuesit. DocType: POS Profile,Write Off Account,Shkruani Off Llogari -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Shënim AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debit Shënim AMT apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Shuma Discount DocType: Purchase Invoice,Return Against Purchase Invoice,Kthehu kundër Blerje Faturë 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 +207,e.g. VAT,p.sh. TVSH +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3081,7 +3093,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 +1945,Please select customer,Ju lutemi zgjidhni klientit +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3110,7 +3122,7 @@ DocType: Lead,Address Desc,Adresuar Përshkrimi apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partia është e detyrueshme DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Topic Emri -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast një nga shitjen apo blerjen duhet të zgjidhen +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast një nga shitjen apo blerjen duhet të zgjidhen apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Zgjidhni natyrën e biznesit tuaj. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rresht # {0}: Dublikoje hyrja në Referencat {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Ku operacionet prodhuese janë kryer. @@ -3119,7 +3131,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Qty nuk mund të jetë më i madh se Max Qty +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 DocType: Account,Accumulated Depreciation,Zhvlerësimi i akumuluar DocType: Stock Entry,Customer or Supplier Details,Customer ose Furnizuesi Detajet DocType: Employee Loan Application,Required by Date,Kërkohet nga Data @@ -3148,10 +3160,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Blerje Rendit apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Emri i kompanisë nuk mund të jetë i kompanisë apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Kryetarët letër për të shtypura templates. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titujt për shtypura templates p.sh. ProFORMA faturë. +DocType: Program Enrollment,Walking,ecje DocType: Student Guardian,Student Guardian,Guardian Student apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Akuzat lloj vlerësimi nuk mund të shënuar si gjithëpërfshirës DocType: POS Profile,Update Stock,Update Stock -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizuesi> Furnizuesi lloji apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ndryshme për sendet do të çojë në të gabuar (Total) vlerën neto Pesha. Sigurohuni që pesha neto e çdo send është në të njëjtën UOM. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Bom Rate DocType: Asset,Journal Entry for Scrap,Journal Hyrja për skrap @@ -3205,7 +3217,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Trego taksave break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3224,14 +3235,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Gabim Llogaria Cash apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Kompani (jo Customer ose Furnizuesi) mjeshtër. 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 +176,No Students in,Nuk ka Studentët në +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 +108,Please enter 'Expected Delivery Date',Ju lutemi shkruani 'datës së pritshme dorëzimit' apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN pavlefshme ose Shkruani NA për paregjistruar +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3272,23 @@ DocType: Sales Team,Contribution (%),Kontributi (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Shënim: Pagesa Hyrja nuk do të jetë krijuar që nga 'Cash ose Llogarisë Bankare "nuk ishte specifikuar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Përgjegjësitë DocType: Expense Claim Account,Expense Claim Account,Llogaria Expense Kërkesa +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi të vendosur Emërtimi Seria për {0} nëpërmjet Setup> Cilësimet> Emërtimi Seria DocType: Sales Person,Sales Person Name,Sales Person Emri apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ju lutemi shkruani atleast 1 faturën në tryezë +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Shto Përdoruesit DocType: POS Item Group,Item Group,Grupi i artikullit DocType: Item,Safety Stock,Siguria Stock apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progresi% për një detyrë nuk mund të jetë më shumë se 100. DocType: Stock Reconciliation Item,Before reconciliation,Para se të pajtimit apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Për {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Taksat dhe Tarifat Shtuar (Kompania Valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Tatimore pika {0} duhet të keni një llogari te tipit Tatimit ose e ardhur ose shpenzim ose ngarkimit +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Tatimore pika {0} duhet të keni një llogari te tipit Tatimit ose e ardhur ose shpenzim ose ngarkimit DocType: Sales Order,Partly Billed,Faturuar Pjesërisht apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} duhet të jetë një artikull Fixed Asset DocType: Item,Default BOM,Gabim bom -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debit Shënim Shuma +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debit Shënim Shuma apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ju lutem ri-lloj emri i kompanisë për të konfirmuar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Outstanding Amt Total +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Outstanding Amt Total DocType: Journal Entry,Printing Settings,Printime Cilësimet DocType: Sales Invoice,Include Payment (POS),Përfshijnë Pagesa (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Debiti i përgjithshëm duhet të jetë e barabartë me totalin e kredisë. Dallimi është {0} @@ -3283,19 +3296,18 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automobi DocType: Vehicle,Insurance Company,Kompania e sigurimeve DocType: Asset Category Account,Fixed Asset Account,Llogaria Fixed Asset apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,variabël -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Nga dorëzim Shënim +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Nga dorëzim Shënim DocType: Student,Student Email Address,Student Email Adresa DocType: Timesheet Detail,From Time,Nga koha apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Në magazinë: DocType: Notification Control,Custom Message,Custom Mesazh apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investimeve Bankare apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Cash ose Banka Llogaria është e detyrueshme për të bërë hyrjen e pagesës -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi Setup numëron seri për Pjesëmarrja nëpërmjet Setup> Numbering Series apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa 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 +1517,Address Name,adresa Emri +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3312,7 +3324,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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ë @@ -3320,7 +3332,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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ë. @@ -3329,7 +3341,7 @@ DocType: Process Payroll,Process Payroll,Procesi i Pagave apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Ka më shumë pushimet sesa ditëve pune këtë muaj. DocType: Product Bundle Item,Product Bundle Item,Produkt Bundle Item DocType: Sales Partner,Sales Partner Name,Emri Sales Partner -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Kërkesën për kuotimin +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Kërkesën për kuotimin DocType: Payment Reconciliation,Maximum Invoice Amount,Shuma maksimale Faturë DocType: Student Language,Student Language,Student Gjuha apps/erpnext/erpnext/config/selling.py +23,Customers,Klientët @@ -3339,7 +3351,7 @@ DocType: Asset,Partially Depreciated,amortizuar pjesërisht DocType: Issue,Opening Time,Koha e hapjes apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Nga dhe në datat e kërkuara apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Letrave me Vlerë dhe Shkëmbimeve të Mallrave -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi @@ -3357,7 +3369,7 @@ 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 +266,Raw Material,Raw Material +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3369,7 +3381,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Hapja Data duhet të jetë para datës së mbylljes -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi të vendosur Emërtimi Seria për {0} nëpërmjet Setup> Cilësimet> Emërtimi Seria 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. @@ -3381,8 +3392,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos kërkuar për Item serialized {0} +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/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 DocType: Journal Entry,Bank Entry,Banka Hyrja DocType: Authorization Rule,Applicable To (Designation),Për të zbatueshme (Përcaktimi) @@ -3399,7 +3410,7 @@ 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 +270,Hour,Orë +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3409,7 +3420,7 @@ 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 +645,Point of Sale,Pika e Shitjes +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3424,8 +3435,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 +270,Gram,gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -3450,14 +3461,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 +465,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 +466,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 +834,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 +835,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 @@ -3489,7 +3500,7 @@ 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 +436,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0} +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} DocType: Leave Allocation,Unused leaves,Gjethet e papërdorura apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr DocType: Tax Rule,Billing State,Shteti Faturimi @@ -3536,7 +3547,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Parametrat për faqen e internetit 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 +214,Invalid attribute {0} {1},atribut i pavlefshëm {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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 ' @@ -3635,16 +3646,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Komponentet e pagave DocType: Program Enrollment Tool,New Academic Year,New Year akademik apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Kthimi / Credit Note DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert Shkalla Lista e Çmimeve nëse mungon -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Gjithsej shuma e paguar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Gjithsej shuma e paguar DocType: Production Order Item,Transferred Qty,Transferuar Qty apps/erpnext/erpnext/config/learn.py +11,Navigating,Vozitja apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planifikim 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 +272,We sell this Item,Ne shesim këtë artikull +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3692,7 +3705,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 +1186,Please set Company,Ju lutemi të vendosur Company +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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ë @@ -3708,13 +3721,14 @@ DocType: Quotation,In Words will be visible once you save the Quotation.,Me fjal 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 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkodi {0} përdorur tashmë në pikën {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barkodi {0} përdorur tashmë në pikën {1} DocType: Lead,Add to calendar on this date,Shtoni në kalendarin në këtë datë apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Rregullat për të shtuar shpenzimet e transportit detar. DocType: Item,Opening Stock,hapja Stock apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Konsumatorit është e nevojshme apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} është e detyrueshme për Kthim DocType: Purchase Order,To Receive,Për të marrë +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personale Email apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Ndryshimi Total DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nëse aktivizuar, sistemi do të shpallë shënimet e kontabilitetit për inventarizimin automatikisht." @@ -3725,7 +3739,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 +541,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 +542,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 @@ -3733,7 +3747,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Nga Garanci DocType: BOM Replace Tool,Replace,Zëvendësoj apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nuk ka produkte gjet. -DocType: Production Order,Unstopped,hapen apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} kundër Shitjeve Faturës {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Emri i Projektit @@ -3744,6 +3757,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} 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 @@ -3780,9 +3794,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Nga Varg apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},gabim sintakse në formulën ose kushte: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Puna Daily Settings Përmbledhje Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Item {0} injoruar pasi ajo nuk është një artikull të aksioneve +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 +40,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 +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/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 @@ -3790,12 +3804,14 @@ 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 +209,Rate (%),Shkalla (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Ju lutemi të vendosur Company filtër bosh nëse Group By është 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting Data nuk mund të jetë data e ardhmja apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: serial {1} nuk përputhet me {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Lini Rastesishme @@ -3824,7 +3840,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Hyrja apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Llogaritë Settings apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,miratoj DocType: Customer,Sales Partner and Commission,Sales Partner dhe Komisioni @@ -3839,7 +3855,7 @@ 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 +62,{0} items produced,{0} artikuj prodhuara +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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 @@ -3853,7 +3869,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Gjithsej Kërkesa shpenzim 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} DocType: Journal Entry Account,Exchange Rate,Exchange Rate -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3878,18 +3894,18 @@ 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 +705,Online,online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Paguaj shuma fikse për një periudhë apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ju lutemi shkruani sasine e artikullit {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Note Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Credit Note Amt DocType: Employee External Work History,Employee External Work History,Punonjës historia e jashtme DocType: Tax Rule,Purchase,Blerje apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilanci Qty @@ -3914,7 +3930,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 +2383,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3943,6 +3959,7 @@ DocType: Guardian,Guardian Of ,kujdestar i DocType: Grading Scale Interval,Threshold,prag DocType: BOM Replace Tool,Current BOM,Bom aktuale apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Shto Jo Serial +DocType: Production Order Item,Available Qty at Source Warehouse,Qty në dispozicion në burim Magazina apps/erpnext/erpnext/config/support.py +22,Warranty,garanci DocType: Purchase Invoice,Debit Note Issued,Debit Note Hedhur në qarkullim DocType: Production Order,Warehouses,Depot @@ -3958,13 +3975,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Shuma e paguar apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Menaxher i Projektit ,Quoted Item Comparison,Cituar Item Krahasimi apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dërgim -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max zbritje lejohet për artikull: {0} është {1}% +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 +279,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 +879,Select Items to Manufacture,Zgjidhni Items të Prodhimi -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë" +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ë" DocType: Item,Material Issue,Materiali Issue DocType: Hub Settings,Seller Description,Shitës Përshkrim DocType: Employee Education,Qualification,Kualifikim @@ -3988,7 +4005,7 @@ DocType: POS Profile,Terms and Conditions,Termat dhe Kushtet 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 +200,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 +198,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ë @@ -4008,7 +4025,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Për të vendosur këtë vit fiskal si default, klikoni mbi 'Bëje si Default'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,bashkohem apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Mungesa Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta DocType: Employee Loan,Repay from Salary,Paguajë nga paga DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Kerkuar pagesën kundër {0} {1} për sasi {2} @@ -4026,18 +4043,18 @@ 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 +1011,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 +944,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 +213,Serial No {0} has already been received,Serial Asnjë {0} tashmë është marrë +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serial Asnjë {0} tashmë është marrë ,Requested Items To Be Transferred,Items kërkuar të transferohet 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 +1312,Delete permanently?,Fshini përgjithmonë? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Invalid {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Pushimi mjekësor DocType: Email Digest,Email Digest,Email Digest DocType: Delivery Note,Billing Address Name,Faturimi Adresa Emri @@ -4050,6 +4067,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,I dënueshëm DocType: Company,Change Abbreviation,Ndryshimi Shkurtesa DocType: Expense Claim Detail,Expense Date,Shpenzim Data +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Markë DocType: Item,Max Discount (%),Max Discount (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Shuma Rendit Fundit DocType: Task,Is Milestone,A Milestone @@ -4073,8 +4091,8 @@ DocType: Program Enrollment Tool,New Program,Program i ri DocType: Item Attribute Value,Attribute Value,Atribut Vlera ,Itemwise Recommended Reorder Level,Itemwise Recommended reorder Niveli DocType: Salary Detail,Salary Detail,Paga Detail -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Ju lutem, përzgjidhni {0} parë" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} i artikullit {1} ka skaduar. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Ju lutem, përzgjidhni {0} parë" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} i artikullit {1} ka skaduar. DocType: Sales Invoice,Commission,Komision apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Sheet Koha për prodhimin. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Nëntotali @@ -4099,12 +4117,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 +399,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 +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/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 +387,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 +382,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 @@ -4134,7 +4152,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Shkatërrimi Date DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email do të dërgohet të gjithë të punësuarve aktive e shoqërisë në orë të caktuar, në qoftë se ata nuk kanë pushim. Përmbledhje e përgjigjeve do të dërgohet në mesnatë." DocType: Employee Leave Approver,Employee Leave Approver,Punonjës Pushimi aprovuesi -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nuk mund të deklarojë si të humbur, sepse Kuotim i është bërë." 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 @@ -4167,6 +4185,7 @@ DocType: Announcement,Student,student apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Njësia Organizata (departamenti) mjeshtër. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ju lutemi shkruani nos celular vlefshme apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ju lutem shkruani mesazhin para se të dërgonte +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Duplicate Furnizuesi DocType: Email Digest,Pending Quotations,Në pritje Citate apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profilin apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Ju lutem Update SMS Settings @@ -4175,7 +4194,7 @@ DocType: Cost Center,Cost Center Name,Kosto Emri Qendra DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max orarit të punës kundër pasqyrë e mungesave DocType: Maintenance Schedule Detail,Scheduled Date,Data e planifikuar -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totale e paguar Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Totale e paguar Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesazhet më të mëdha se 160 karaktere do të ndahet në mesazhe të shumta DocType: Purchase Receipt Item,Received and Accepted,Marrë dhe pranuar ,GST Itemised Sales Register,GST e detajuar Sales Regjistrohu @@ -4185,7 +4204,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 +237,Your Suppliers,Furnizuesit tuaj +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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 " @@ -4197,7 +4216,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Faqja Image {0} bashkangjitur në pikën {1} nuk mund të gjendet +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. @@ -4212,7 +4231,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Çfarë do t apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Për Magazina apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Të gjitha Pranimet e studentëve ,Average Commission Rate,Mesatare Rate Komisioni -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Nuk ka Serial' nuk mund të jetë 'Po' për jo-aksioneve artikull +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Nuk ka Serial' nuk mund të jetë 'Po' për jo-aksioneve artikull apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Pjesëmarrja nuk mund të shënohet për datat e ardhshme DocType: Pricing Rule,Pricing Rule Help,Rregulla e Çmimeve Ndihmë DocType: School House,House Name,Emri House @@ -4228,7 +4247,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 +339,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 +340,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 @@ -4243,20 +4262,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Paga Slip nga punonjësi {0} krijuar tashmë për fletë kohë {1} DocType: Vehicle Log,Odometer,rrugëmatës DocType: Sales Order Item,Ordered Qty,Urdhërohet Qty -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Item {0} është me aftësi të kufizuara +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generate paga rrëshqet -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Blerja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Blerja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Discount duhet të jetë më pak se 100 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 +500,Default BOM for {0} not found,BOM Default për {0} nuk u gjet -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Zbarkoi Voucher Kosto @@ -4319,7 +4338,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data e pritshme nuk mund të jetë e para materiale Kërkesë Data DocType: Purchase Invoice Item,Stock Qty,Stock Qty DocType: Purchase Invoice Item,Stock Qty,Stock Qty -DocType: Production Order,Source Warehouse (for reserving Items),Burim Magazina (për rezervohet Artikujve) DocType: Employee Loan,Repayment Period in Months,Afati i pagesës në muaj apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Gabim: Nuk është një ID të vlefshme? DocType: Naming Series,Update Series Number,Update Seria Numri @@ -4368,7 +4386,7 @@ DocType: Production Order,Planned End Date,Planifikuar Data e Përfundimit apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Ku sendet janë ruajtur. DocType: Request for Quotation,Supplier Detail,furnizuesi Detail apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Error ne formulen ose gjendje: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Shuma e faturuar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Shuma e faturuar DocType: Attendance,Attendance,Pjesëmarrje apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stock Items DocType: BOM,Materials,Materiale @@ -4408,10 +4426,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,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 +382,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 +650,Please specify Attribute Value for attribute {0},Ju lutem specifikoni atribut Vlera për atribut {0} +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} DocType: Item,Default Warehouse,Gabim Magazina apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Buxheti nuk mund të caktohet kundër Llogaria Grupit {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ju lutemi shkruani qendra kosto prind @@ -4472,7 +4490,7 @@ 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 +1344,Select or add new customer,Zgjidhni ose shtoni klient të ri +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/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 @@ -4480,6 +4498,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi Setup punonjës Emërtimi Sistemit në Burimeve Njerëzore> Cilësimet HR 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 +231,{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. @@ -4502,7 +4521,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,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 +1731,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ë' @@ -4522,7 +4541,7 @@ DocType: POS Profile,Account for Change Amount,Llogaria për Ndryshim Shuma apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partia / Llogaria nuk përputhet me {1} / {2} në {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ju lutemi shkruani Llogari kurriz DocType: Account,Stock,Stock -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një e Rendit Blerje, Blerje Faturë ose Journal Entry" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një e Rendit Blerje, Blerje Faturë ose Journal Entry" DocType: Employee,Current Address,Adresa e tanishme DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Nëse pika është një variant i një tjetër çështje pastaj përshkrimin, imazhi, çmimi, taksat, etj do të vendoset nga template përveç nëse specifikohet shprehimisht" DocType: Serial No,Purchase / Manufacture Details,Blerje / Detajet Prodhimi @@ -4561,11 +4580,12 @@ DocType: Student,Home Address,Adresa e shtepise apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset Transfer DocType: POS Profile,POS Profile,POS Profilin DocType: Training Event,Event Name,Event Emri -apps/erpnext/erpnext/config/schools.py +39,Admission,pranim +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,pranim apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Regjistrimet për {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} është një template, ju lutem zgjidhni një nga variantet e saj" DocType: Asset,Asset Category,Asset Category +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Blerës apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Paguajnë neto nuk mund të jetë negative DocType: SMS Settings,Static Parameters,Parametrat statike DocType: Assessment Plan,Room,dhomë @@ -4574,6 +4594,7 @@ DocType: Item,Item Tax,Tatimi i artikullit apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale për Furnizuesin apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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ë +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> Territory DocType: Expense Claim,Employees Email Id,Punonjësit Email Id DocType: Employee Attendance Tool,Marked Attendance,Pjesëmarrja e shënuar apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Detyrimet e tanishme @@ -4645,6 +4666,7 @@ DocType: Leave Type,Is Carry Forward,Është Mbaj Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stock Përmbledhje diff --git a/erpnext/translations/sr-SP.csv b/erpnext/translations/sr-SP.csv index fbe1020067..d5955df89e 100644 --- a/erpnext/translations/sr-SP.csv +++ b/erpnext/translations/sr-SP.csv @@ -1,16 +1,202 @@ +apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Potvrđene porudžbine od strane kupaca +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,Create a new Customer,Kreirajte novog kupca +DocType: Purchase Invoice,Currency and Price List,Valuta i cjenovnik +DocType: Stock Entry,Delivery Note No,Broj otpremnice +DocType: Sales Invoice,Shipping Rule,Pravila nabavke +,Sales Order Trends,Trendovi prodajnih naloga DocType: Request for Quotation Item,Project Name,Naziv Projekta DocType: Bank Guarantee,Project,Projekat +apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Napravi predračun +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/config/selling.py +23,Customers,Kupci +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 +apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status je {2} +DocType: Territory,Classification of Customers by region,Klasifikacija kupaca po regiji +apps/erpnext/erpnext/config/selling.py +75,Tree of Item Groups.,Stablo Vrste artikala +apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Grupa kupaca / kupci +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Iz otpremnice +DocType: POS Profile,Price List,Cjenovnik +DocType: Production Planning Tool,Sales Orders,Prodajni nalozi +apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Prodajni nalog za plaćanje +DocType: Sales Invoice,Customer Address,Adresa kupca +DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Slovima (izvoz) će biti vidljiv onda kad sačuvate otpremnicu +DocType: Sales Invoice Item,Delivery Note Item,Pozicija otpremnica +DocType: Sales Order,Customer's Purchase Order,Porudžbenica kupca +DocType: Lead,Lost Quotation,Izgubljen Predračun +apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Računovodstvo: {0} može samo da se ažurira u dijelu Promjene na zalihama +DocType: Authorization Rule,Customer or Item,Kupac ili proizvod +apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista +DocType: Sales Invoice Item,Customer Warehouse (Optional),Skladište kupca (opciono) +DocType: Customer,Additional information regarding the customer.,Dodatne informacije o kupcu +DocType: Project,Customer Details,Korisnički detalji +apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupac i dobavljač DocType: Journal Entry Account,Sales Invoice,Fakture +DocType: Sales Order,Track this Sales Order against any Project,Prati ovaj prodajni nalog na bilo kom projektu +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 +DocType: Product Bundle Item,Product Bundle Item,Sastavljeni proizvodi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,Sales Order {0} is not valid,Prodajni nalog {0} nije validan +DocType: Selling Settings,Delivery Note Required,Otpremnica je obavezna apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Upravljanje projektima +DocType: POS Profile,Customer Groups,Grupe kupaca +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Prijem robe {0} nije potvrđen +apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Proizvodi i cijene +apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Kreirajte bilješke kupca +apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je obavezan podatak +apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +73,Selling Amount,Prodajni iznos +apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Promjene na zalihama +DocType: Pricing Rule,Discount on Price List Rate (%),Popust na cijene iz cjenovnika (%) +DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca +DocType: Email Digest,New Sales Orders,Novi prodajni nalozi +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Unos zaliha {0} nije potvrđen +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 +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 +DocType: Purchase Order,Customer Contact Email,Kontakt e-mail kupca +DocType: POS Item Group,Item Group,Vrste artikala +apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikal {0} se javlja više puta u cjenovniku {1} +DocType: Project,Total Sales Cost (via Sales Order),Ukupni prodajni troškovi (od prodajnih naloga) +apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Baza potencijalnih kupaca apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status Projekta +apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Sve vrste artikala +DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu DocType: Project,Project will be accessible on the website to these users,Projekat će biti dostupan na sajtu sledećim korisnicima +DocType: Quotation Item,Quotation Item,Stavka sa ponude +DocType: Notification Control,Purchase Receipt Message,Poruka u Prijemu robe +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,Price List not found or disabled,Cjenovnik nije pronađen ili je zaključan DocType: Project,Project Type,Tip Projekta +DocType: Item Price,Multiple Item prices.,Više cijena artikala +apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Razdvoji otpremnicu u pakovanja +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Ponuda dobavljaču {0} је kreirana +apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Nije dozvoljeno mijenjati Promjene na zalihama starije od {0} +DocType: Sales Invoice,Customer Name,Naziv kupca +DocType: Stock Settings,Default Item Group,Podrazumijevana vrsta artikala +apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kupac sa istim imenom već postoji +DocType: Item,Default Selling Cost Center,Podrazumijevani centar troškova +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +69,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 +DocType: Pricing Rule,Pricing Rule Help,Pravilnik za cijene pomoć +DocType: POS Item Group,POS Item Group,POS Vrsta artikala +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Prijem robe +apps/erpnext/erpnext/config/selling.py +28,Customer database.,Korisnička baza podataka +DocType: Pricing Rule,Pricing Rule,Pravilnik za cijene +,Item Prices,Cijene artikala +DocType: Sales Order,Customer's Purchase Order Date,Datum porudžbenice kupca +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/selling/doctype/sales_order/sales_order.py +149,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 +558,Product Bundle,Sastavnica +DocType: Landed Cost Voucher,Purchase Receipts,Prijemi robe +DocType: Stock Entry,Purchase Receipt No,Broj prijema robe +DocType: Pricing Rule,Selling,Prodaja +DocType: Purchase Order,Customer Contact,Kontakt kupca +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 +DocType: Stock Ledger Entry,Stock Ledger Entry,Unos zalihe robe +DocType: Item Group,Item Group Name,Naziv vrste artikala +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,Isto ime grupe kupca već postoji. Promijenite ime kupca ili izmijenite grupu kupca +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još jedan {0} # {1} postoji u vezanom Unosu zaliha {2} DocType: Project User,Project User,Projektni user +DocType: Item,Customer Items,Proizvodi kupca +apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +94,Sales Order required for Item {0},Prodajni nalog je obavezan za artikal {0} +DocType: Authorization Rule,Customer / Item Name,Kupac / Naziv proizvoda +apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Ponuda dobavljača +DocType: SMS Center,All Customer Contact,Svi kontakti kupca +DocType: Quotation,Quotation Lost Reason,Razlog gubitka ponude +DocType: Customer Group,Customer Group Name,Naziv grupe kupca +,Inactive Customers,Neaktivni kupci +DocType: Stock Entry Detail,Stock Entry Detail,Detalji unosa zaliha +DocType: Landed Cost Item,Purchase Receipt Item,Stavka Prijema robe +apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Unos zaliha {0} je kreiran +apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Cijena artikla je izmijenjena {0} u cjenovniku {1} +apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust +DocType: Selling Settings,Sales Order Required,Prodajni nalog je obavezan +,Purchase Receipt Trends,Trendovi prijema robe +DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljača +apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Активни Леадс / Kupci +apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Kreiraj prodajni nalog +DocType: Price List,Price List Name,Naziv cjenovnika +apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +54,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/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 +DocType: Journal Entry,Stock Entry,Unos zaliha +apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +38,Sales Price List,Prodajni cjenovnik +apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selling Rate,Prosječna prodajna cijena +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 +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 +apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Sve grupe kupca +apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Novi {0}: # {1} DocType: Project Task,Project Task,Projektni zadatak +DocType: Item Group,Parent Item Group,Nadređena Vrsta artikala +DocType: Opportunity,Customer / Lead Address,Kupac / Adresa lead-a +DocType: Buying Settings,Default Buying Price List,Podrazumijevani Cjenovnik +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 +197,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: 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/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost Projekta apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna aktivnost / zadatak -DocType: Journal Entry Account,Sales Order,Narudžbine kupaca +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,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 +118,Request for Quotations,Zahtjev za ponude +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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: Sales Invoice Item,Sales Order Item,Pozicija prodajnog naloga +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 +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 +101,Quotation {0} not of type {1},Ponuda {0} ne propada {1} +apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +748,Quotation,Ponuda +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 +apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kupac {0} je prekoračio kreditni limit {1} / {2} +DocType: Sales Invoice,Product Bundle Help,Sastavnica Pomoć +apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahtjev za ponudu +apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja +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 +815,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 +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 +205,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 diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv index 9db0aca0b8..a27bc914bb 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Стоппед Производња поредак не може бити поништен, то Унстоп прво да откажете" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,Изаберите Примарни добављач @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1} +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 +808,Invoice,Фактура DocType: Maintenance Schedule Item,Periodicity,Периодичност apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} је потребно @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,Ворк Ин Прогресс apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Молимо одаберите датум DocType: Employee,Holiday List,Холидаи Листа -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,рачуновођа +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,рачуновођа DocType: Cost Center,Stock User,Сток Корисник DocType: Company,Phone No,Тел apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Распоред курса цреатед: @@ -110,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,Родитељ Детаљ доцнаме 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 +269,Kg,кг +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,кг DocType: Student Log,Log,Пријава apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Отварање за посао. DocType: Item Attribute,Increment,Повећање @@ -120,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 +42,Not permitted for {0},Није дозвољено за {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Гет ставке из -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,Није пронађено ставки +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,Продаја Рачун шифра @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,stock Извештаји DocType: Warehouse,Warehouse Detail,Магацин Детаљ apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Пређена кредитни лимит за купца {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Да ли је основних средстава" не може бити неконтролисано, као средствима запис постоји у односу на ставке" +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/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,Существуетклиентов с одноименным названием @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Од {0} {1} да DocType: Item,Copy From Item Group,Копирање из ставке групе DocType: Journal Entry,Opening Entry,Отварање Ентри -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Кориснички> Кориснички Група> Територија apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Рачун плаћате само DocType: Employee Loan,Repay Over Number of Periods,Отплатити Овер број периода DocType: Stock Entry,Additional Costs,Додатни трошкови @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Некретнине -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Изјава рачуна +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,Фармација DocType: Purchase Invoice Item,Is Fixed Asset,Је основних средстава apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Доступно ком је {0}, потребно је {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,потребляемый +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,потребляемый DocType: Employee,B-,Б- DocType: Upload Attendance,Import Log,Увоз се DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Повуците Материал захтев типа производње на основу горе наведених критеријума @@ -212,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-,РФК- DocType: Item,Supply Raw Materials for Purchase,Набавка сировина за куповину -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,Пример: Басиц Матхематицс +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/config/hr.py +214,Settings for HR Module,Настройки для модуля HR DocType: SMS Center,SMS Center,СМС центар @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Предмети и цене apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Укупно часова: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Од датума треба да буде у оквиру фискалне године. Под претпоставком Од датума = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,цитати DocType: Customer,Individual,Појединац DocType: Interest,Academics User,akademici Корисник DocType: Cheque Print Template,Amount In Figure,Износ На слици @@ -266,7 +267,7 @@ DocType: Employee,Create User,створити корисника DocType: Selling Settings,Default Territory,Уобичајено Територија apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,телевизија DocType: Production Order Operation,Updated via 'Time Log',Упдатед преко 'Време Приступи' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1} DocType: Naming Series,Series List for this Transaction,Серија Листа за ову трансакције DocType: Company,Enable Perpetual Inventory,Омогући Перпетуал Инвентори DocType: Company,Default Payroll Payable Account,Уобичајено Плате плаћају рачун @@ -274,7 +275,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 +177,For Warehouse is required before Submit,Для требуется Склад перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +283,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 +2256,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Контакт Име +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,ПОС клијента Група @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения 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 +189,Warehouse {0} does not belong to company {1},Магацин {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 +270,Litre,Литар +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Оставите Блокирани -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банк unosi apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,годовой DocType: Stock Reconciliation Item,Stock Reconciliation Item,Стоцк Помирење артикла @@ -316,7 +317,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 +316,People who teach at your organisation,Људи који предају у вашој организацији +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,Дозволи кориснику DocType: Item,Publish in Hub,Објављивање у Хуб DocType: Student Admission,Student Admission,студент Улаз ,Terretory,Терретори -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Пункт {0} отменяется +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Пункт {0} отменяется apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Материјал Захтев DocType: Bank Reconciliation,Update Clearance Date,Упдате Дате клиренс DocType: Item,Purchase Details,Куповина Детаљи @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,флота директор apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,Циркуларне референце Грешка @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,Плаћање Ступање је модификована након што га извукао. Молимо вас да га опет повуците. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Преглед за ову недељу и чекају активности DocType: Student Applicant,Admitted,Признао DocType: Workstation,Rent Cost,Издавање Трошкови @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Примљено apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Створити студентских група apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Подешавање Већ Комплетна ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Кредит Напомена Износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Кредит Напомена Износ ,Finished Goods,готове робе DocType: Delivery Note,Instructions,Инструкције DocType: Quality Inspection,Inspected By,Контролисано Би @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,Креирајте нови клијента +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо Вас да подешавање бројева серије за похађање преко Сетуп> нумерисање серија apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Створити куповини Ордерс ,Purchase Register,Куповина Регистрација DocType: Course Scheduling Tool,Rechedule,Рецхедуле @@ -473,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања." +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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,Прочитајте ЕРПНект Мануал @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобална подешавања за свим производним процесима. DocType: Accounts Settings,Accounts Frozen Upto,Рачуни Фрозен Упто DocType: SMS Log,Sent On,Послата -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} изабран више пута у атрибутима табели +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} изабран више пута у атрибутима табели DocType: HR Settings,Employee record is created using selected field. ,Запослени Запис се креира коришћењем изабрано поље. DocType: Sales Order,Not Applicable,Није применљиво apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Мастер отдыха . @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци . +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","Не можете да филтрирате на основу налога , ако груписани по налогу" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Унесите складиште за које Материјал Захтев ће бити подигнута DocType: Production Order,Additional Operating Cost,Додатни Оперативни трошкови apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,козметика -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке" DocType: Shipping Rule,Net Weight,Нето тежина DocType: Employee,Emergency Phone,Хитна Телефон apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,купити @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Адд / Едит порези и таксе DocType: Purchase Invoice,Supplier Invoice No,Снабдевач фактура бр DocType: Territory,For reference,За референце -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Не могу да избришем серијски број {0}, као што се користи у промету акција" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Не могу да избришем серијски број {0}, као што се користи у промету акција" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Затварање (Цр) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,мове артикла DocType: Serial No,Warranty Period (Days),Гарантни период (дани) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Молимо Вас да изаберете Цомпани и Партије Типе прво apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансовый / отчетного года . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,акумулиране вредности -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Маке Продаја Наручите DocType: Project Task,Project Task,Пројектни задатак ,Lead Id,Олово Ид @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Доделити apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продаја Ретурн 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,Напомена: Укупно издвојена лишће {0} не сме бити мањи од већ одобрених лишћа {1} за период +,Total Stock Summary,Укупно Сток Преглед DocType: Announcement,Posted By,Поставио DocType: Item,Delivered by Supplier (Drop Ship),Деливеред би добављача (Дроп Схип) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,База потенцијалних купаца. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Корисничк DocType: Quotation,Quotation To,Цитат DocType: Lead,Middle Income,Средњи приход apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Открытие (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Уобичајено јединица мере за тачке {0} не може директно мењати, јер сте већ направили неке трансакције (с) са другим УЦГ. Мораћете да креирате нову ставку да користи другачији Дефаулт УЦГ." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Уобичајено јединица мере за тачке {0} не може директно мењати, јер сте већ направили неке трансакције (с) са другим УЦГ. Мораћете да креирате нову ставку да користи другачији Дефаулт УЦГ." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Додељена сума не може бити негативан apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Подесите Цомпани apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Подесите Цомпани @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Мајстори DocType: Assessment Plan,Maximum Assessment Score,Максимални Процена Резултат apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Упдате Банк трансакције Датуми apps/erpnext/erpnext/config/projects.py +30,Time Tracking,time Трацкинг +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Дупликат за ТРАНСПОРТЕР DocType: Fiscal Year Company,Fiscal Year Company,Фискална година Компанија DocType: Packing Slip Item,DN Detail,ДН Детаљ DocType: Training Event,Conference,конференција @@ -683,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 +320,Timesheet created:,Тимесхеет цреатед: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}" +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,уписати DocType: GST Settings,GST Settings,ПДВ подешавања DocType: Selling Settings,Customer Naming By,Кориснички назив под @@ -713,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 +139,Finish,завршити +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,завршити apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,база DocType: Timesheet,Total Billed Hours,Укупно Обрачунате сат DocType: Journal Entry,Write Off Amount,Отпис Износ @@ -748,7 +752,7 @@ DocType: Hub Settings,Seller City,Продавац Град ,Absent Student Report,Абсент Студентски Извештај DocType: Email Digest,Next email will be sent on:,Следећа порука ће бити послата на: DocType: Offer Letter Term,Offer Letter Term,Понуда Леттер Терм -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Тачка има варијанте. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Тачка има варијанте. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} не найден DocType: Bin,Stock Value,Вредност акције apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Фирма {0} не постоји @@ -795,12 +799,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правила постоји са истим критеријумима, молимо вас да решавају конфликте са приоритетом. Цена Правила: {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,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница 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 +48,Make Timesheet,Маке тимесхеет +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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,13 +862,13 @@ 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,Породица Позадина DocType: Request for Quotation Supplier,Send Email,Сенд Емаил -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Упозорење: Неважећи Прилог {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Без дозвола +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Упозорење: Неважећи Прилог {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Без дозвола 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 +269,Nos,Нос +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} мора да се поднесе @@ -884,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,Итем Ред {идк}: {ДОЦТИПЕ} {ДОЦНАМЕ} не постоји у горе '{ДОЦТИПЕ}' сто -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,Отварање акумулирана амортизација @@ -972,14 +976,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,БОМ {0} мора бити активна +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} до отмены этого обслуживания визит -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1} DocType: Purchase Receipt Item Supplied,Required Qty,Обавезно Кол apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Складишта са постојећим трансакције не могу се претворити у књизи. DocType: Bank Reconciliation,Total Amount,Укупан износ @@ -996,7 +1000,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,komponente apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Молимо унесите Ассет Категорија тачке {0} DocType: Quality Inspection Reading,Reading 6,Читање 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Цан нот {0} {1} {2} без негативних изузетан фактура +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Цан нот {0} {1} {2} без негативних изузетан фактура 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} @@ -1010,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 +731,New Sales Invoice,Нови продаје Фактура +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Синц Оффлине Рачуни +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синц Оффлине Рачуни DocType: Payment Request,Paid,Плаћен DocType: Program Fee,Program Fee,naknada програм DocType: Salary Slip,Total in words,Укупно у речима @@ -1048,10 +1052,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,хемијски DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Дефаулт Банка / Готовина налог ће аутоматски бити ажуриран у плате књижење када је изабран овај режим. DocType: BOM,Raw Material Cost(Company Currency),Сировина трошкова (Фирма валута) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Сви артикли су већ пребачени за ову производњу Реда. +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 +270,Meter,Метар +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,Метар DocType: Workstation,Electricity Cost,Струја Трошкови DocType: HR Settings,Don't send Employee Birthday Reminders,Немојте слати запослених подсетник за рођендан DocType: Item,Inspection Criteria,Инспекцијски Критеријуми @@ -1074,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 +452,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,Биланс Износ кредита @@ -1082,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 +259,Qty for {0},Количина за {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,Оставите Датуми листу блокираних @@ -1094,9 +1098,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Готовина / банковно apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Наведите {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Уклоњене ствари без промене у количини или вриједности. DocType: Delivery Note,Delivery To,Достава Да -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Атрибут сто је обавезно +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Атрибут сто је обавезно DocType: Production Planning Tool,Get Sales Orders,Гет продајних налога -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може бити негативан +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може бити негативан apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Попуст DocType: Asset,Total Number of Depreciations,Укупан број Амортизација DocType: Sales Invoice Item,Rate With Margin,Стопа Са маргина @@ -1133,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 +1546,ZIP Code,Поштански број +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,Макинг Стоцк записи @@ -1152,7 +1156,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци . +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),Минималну предност (дани) @@ -1177,7 +1181,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,Дистрибутер DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа Достава Правило apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Производственный заказ {0} должно быть отменено до отмены этого заказ клиента -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',Молимо поставите 'Аппли додатни попуст на' +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,Од Опсег мора да буде мањи од у распону DocType: Global Defaults,Global Defaults,Глобални Дефаултс @@ -1185,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 +22,First 2 digits of GSTIN should match with State number {0},Прве 2 цифре ГСТИН треба да одговара државном бројем {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Капацитет Планирање Грешка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Капацитет Планирање Грешка ,Trial Balance for Party,Претресно Разлика за странке DocType: Lead,Consultant,Консултант DocType: Salary Slip,Earnings,Зарада @@ -1207,7 +1211,7 @@ DocType: Purchase Invoice,Is Return,Да ли је Повратак apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Повратак / задужењу DocType: Price List Country,Price List Country,Ценовник Земља DocType: Item,UOMs,УОМс -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} действительные серийные NOS для Пункт {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Шифра не може се мењати за серијским бројем apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},ПОС профил {0} већ створена за корисника: {1} и компанија {2} DocType: Sales Invoice Item,UOM Conversion Factor,УОМ конверзије фактор @@ -1217,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 +675,Cost Center For Item with Item Code ',Цост Центер За ставку са Код товара ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","Даље рачуни могу бити у групама, али уноса можете извршити над несрпским групама" @@ -1260,7 +1264,7 @@ 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,Погледај Леџер DocType: Grading Scale,Intervals,интервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Најраније -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставка {0} не може имати Батцх @@ -1289,7 +1293,7 @@ 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 +288,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце DocType: Purchase Invoice,Rejected Warehouse,Одбијен Магацин DocType: GL Entry,Against Voucher,Против ваучер DocType: Item,Default Buying Cost Center,По умолчанию Покупка МВЗ @@ -1300,7 +1304,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1318,14 +1322,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Место издавања apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,уговор DocType: Email Digest,Add Quote,Додај Куоте -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1} 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 +736,Sync Master Data,Синц мастер података -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ваши производи или услуге +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,Ваши производи или услуге DocType: Mode of Payment,Mode of Payment,Начин плаћања -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта DocType: Student Applicant,AP,АП DocType: Purchase Invoice Item,BOM,БОМ apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,То јекорен ставка група и не може се мењати . @@ -1342,14 +1346,13 @@ 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 +562,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","Правилник о ценама је први изабран на основу 'Примени на ""терену, који могу бити артикла, шифра групе или Марка." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Статус производственного заказа {0} DocType: Appraisal Goal,Goal,Циљ DocType: Sales Invoice Item,Edit Description,Измени опис ,Team Updates,тим ажурирања @@ -1365,14 +1368,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дете складиште постоји за тог складишта. Ви не можете да избришете ову складиште. DocType: Item,Website Item Groups,Сајт Итем Групе DocType: Purchase Invoice,Total (Company Currency),Укупно (Фирма валута) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза +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 +78,{0} items in progress,{0} ставки у току +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,То је број последње створеног трансакције са овим префиксом @@ -1431,7 +1434,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,боотстрап 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,7 +1446,7 @@ 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 +260,Max: {0},Мак: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,Комуникација дневник. @@ -1454,7 +1456,7 @@ DocType: Sales Invoice,Shipping Address Name,Достава Адреса Име apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Контни DocType: Material Request,Terms and Conditions Content,Услови коришћења садржаја apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може бити већи од 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт DocType: Maintenance Visit,Unscheduled,Неплански DocType: Employee,Owned,Овнед DocType: Salary Detail,Depends on Leave Without Pay,Зависи оставити без Паи @@ -1486,7 +1488,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 +273,We buy this Item,Купујемо ову ставку +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,Схов П & Л стања унцлосед фискалну годину @@ -1497,7 +1499,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 +266,Sub Assemblies,Sub сборки +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Sub сборки DocType: Asset,Asset Name,Назив дела DocType: Project,Task Weight,zadatak Тежина DocType: Shipping Rule Condition,To Value,Да вредност @@ -1530,12 +1532,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,Извор 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 +239,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Нема резултата у табели плаћања записи apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ова {0} је у супротности са {1} за {2} {3} DocType: Student Attendance Tool,Students HTML,Студенти ХТМЛ- DocType: POS Profile,Apply Discount,Примени попуст -DocType: Purchase Invoice Item,GST HSN Code,ПДВ ХСН код +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 +283,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется @@ -1578,8 +1580,8 @@ 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 +2573,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,коробка +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 +873,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,"Приемник Список пуст . Пожалуйста, создайте приемник Список" @@ -1609,7 +1611,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Начин отплате DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако је означено, Почетна страница ће бити подразумевани тачка група за сајт" DocType: Quality Inspection Reading,Reading 4,Читање 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Стандардно БОМ за {0} није пронађен за пројекат {1} 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} @@ -1626,29 +1627,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Нови зад apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Направи понуду apps/erpnext/erpnext/config/selling.py +216,Other Reports,Остали извештаји DocType: Dependent Task,Dependent Task,Зависна Задатак -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0} +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.,Покушајте планирање операција за Кс дана унапред. 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} DocType: SMS Center,Receiver List,Пријемник Листа -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Тражи артикла +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,већ завршено +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/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 +263,Quantity must not be more than {0},Количина не сме бити више од {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,Кориснички ПОС-ИД DocType: Account,Account Name,Име налога apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Од датума не може бити већа него до сада -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Тип Поставщик мастер . 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 @@ -1656,6 +1657,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Отпрема Возила Датум +DocType: Purchase Order Item,HSN/SAC,ХСН / САЧ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено DocType: Company,Default Payable Account,Уобичајено оплате рачуна apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Подешавања за онлине куповину као што су испоруке правила, ценовник итд" @@ -1712,7 +1714,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,"Укључи пр DocType: Sales Invoice,Packed Items,Пакују артикала apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гаранција Тужба против серијским бројем DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Замените одређену БОМ у свим осталим саставница у којима се користи. Она ће заменити стару БОМ везу, упдате трошкове и регенерише ""БОМ Експлозија итем"" табелу по новом БОМ" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Укупно' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Укупно' DocType: Shopping Cart Settings,Enable Shopping Cart,Омогући Корпа DocType: Employee,Permanent Address,Стална адреса apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1747,6 +1749,7 @@ DocType: Material Request,Transferred,пренети DocType: Vehicle,Doors,vrata apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна! DocType: Course Assessment Criteria,Weightage,Веигхтаге +DocType: Sales 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,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов" @@ -1766,7 +1769,7 @@ 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 +699,Offline,оффлине +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,Подносилац захтева за посао @@ -1783,7 +1786,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,основной apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Варијанта DocType: Naming Series,Set prefix for numbering series on your transactions,Сет префикс за нумерисање серију на својим трансакцијама DocType: Employee Attendance Tool,Employees HTML,zaposleni ХТМЛ -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон DocType: Employee,Leave Encashed?,Оставите Енцасхед? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Прилика Од пољу је обавезна DocType: Email Digest,Annual Expenses,Годишњи трошкови @@ -1796,7 +1799,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 +175,Work-in-Progress Warehouse is required before Submit,Работа -в- Прогресс Склад требуется перед Отправить +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,Статутарна инфо и друге опште информације о вашем добављачу @@ -1806,7 +1809,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студент Група Снага apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Против часопису Ступање {0} нема никакву премца {1} улазак apps/erpnext/erpnext/config/hr.py +137,Appraisals,аппраисалс -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0} +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}. Да би се омогућило над-наплате, молимо вас да поставите у Буиинг Сеттингс" @@ -1815,7 +1818,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,БОМ {0} мора да се поднесе +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Плаћање @@ -1834,12 +1837,12 @@ 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 +257,"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 +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.",Наведите своје производе или услуге које купују или продају . 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: Asset Movement,Asset Movement,средство покрет -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Нова корпа +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,7 +1868,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Гет ставки од куповине Примања DocType: Serial No,Creation Date,Датум регистрације apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Пункт {0} несколько раз появляется в прайс-лист {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продаја се мора проверити, ако је применљиво Јер је изабрана као {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продаја се мора проверити, ако је применљиво Јер је изабрана као {0}" DocType: Production Plan Material Request,Material Request Date,Материјал Датум захтева DocType: Purchase Order Item,Supplier Quotation Item,Снабдевач Понуда шифра DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Онемогућава стварање временских трупаца против производних налога. Операције неће бити праћени против Продуцтион Ордер @@ -1882,12 +1885,12 @@ DocType: Supplier,Supplier of Goods or Services.,Добављач робе ил DocType: Budget,Fiscal Year,Фискална година DocType: Vehicle Log,Fuel Price,Гориво Цена DocType: Budget,Budget,Буџет -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Основних средстава тачка мора бити нон-лагеру предмета. +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 +209,e.g. 5,например 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,У речи ће бити видљив када сачувате продаје фактуру. @@ -1896,7 +1899,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 +263,A Product or Service,Продукт или сервис +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,Тренутна вредност @@ -1971,7 +1974,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,пара +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,пара apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу DocType: Asset,Depreciation Schedule,Амортизација Распоред apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продаја Партнер адресе и контакт @@ -1990,10 +1993,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},Ставка група не помиње у тачки мајстор за ставку {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун +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,Дебитна Да рачуну мора бити потраживања рачун DocType: Shipping Rule Condition,Shipping Amount,Достава Износ -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Додај Купци +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,6 +2013,7 @@ DocType: Journal Entry,Accounts Receivable,Потраживања ,Supplier-Wise Sales Analytics,Добављач - Висе Салес Аналитика apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Унесите плаћени износ DocType: Salary Structure,Select employees for current Salary Structure,Изаберите запослених за Тренутна плата Структура +DocType: Sales Invoice,Company Address Name,Адреса компаније Име 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)","Родитељ голф (Оставите празно, ако то није део матичног Цоурсе)" @@ -2030,7 +2034,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 +269,Unit,блок +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,Магацин где се одржава залихе одбачених предмета @@ -2052,7 +2056,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од продаје реда, продаје Фактура или Јоурнал Ентри" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: Од времена и времена је обавезно. DocType: Stock Reconciliation Item,Amount Difference,iznos Разлика @@ -2061,7 +2065,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Класификација купаца по региону apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разлика Износ мора бити нула DocType: Project,Gross Margin,Бруто маржа -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Молимо унесите прво Производња пункт +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 +748,Quotation,Понуда @@ -2073,7 +2077,7 @@ 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: Opportunity,Customer / Lead Address,Кориснички / Олово Адреса -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Упозорење: Неважећи сертификат ССЛ на везаности {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Упозорење: Неважећи сертификат ССЛ на везаности {0} DocType: Student Admission,Eligibility,квалификованост apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Леадс вам помоћи да посао, додати све своје контакте и још као своје трагове" DocType: Production Order Operation,Actual Operation Time,Стварна Операција време @@ -2092,11 +2096,11 @@ DocType: Appraisal,Calculate Total Score,Израчунајте Укупна о DocType: Request for Quotation,Manufacturing Manager,Производња директор apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Сплит Напомена Испорука у пакетима. -apps/erpnext/erpnext/hooks.py +87,Shipments,Пошиљке +apps/erpnext/erpnext/hooks.py +94,Shipments,Пошиљке DocType: Payment Entry,Total Allocated Amount (Company Currency),Укупно додељени износ (Фирма валута) DocType: Purchase Order Item,To be delivered to customer,Који ће бити достављен купца DocType: BOM,Scrap Material Cost,Отпадног материјала Трошкови -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Серијски број {0} не припада ниједној Варехоусе +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Серијски број {0} не припада ниједној Варехоусе DocType: Purchase Invoice,In Words (Company Currency),Речима (Друштво валута) DocType: Asset,Supplier,Добављач DocType: C-Form,Quarter,Четврт @@ -2111,11 +2115,10 @@ DocType: Leave Application,Total Leave Days,Укупно ЛЕАВЕ Дана DocType: Email Digest,Note: Email will not be sent to disabled users,Напомена: Е-маил неће бити послат са инвалидитетом корисницима apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број Интерацтион apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број Интерацтион -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код итем> итем Група> Бренд 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 +408,{0} is mandatory for Item {1},{0} является обязательным для п. {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","Молимо Вас да изаберете издвајају, Тип фактуре и број фактуре у атлеаст једном реду" @@ -2159,7 +2162,8 @@ 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,Директор DocType: Expense Claim Detail,Expense Claim Detail,Расходи потраживање Детаљ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Молимо изаберите исправан рачун +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Три примерка за добављача +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Молимо изаберите исправан рачун DocType: Item,Weight UOM,Тежина УОМ DocType: Salary Structure Employee,Salary Structure Employee,Плата Структура запослених DocType: Employee,Blood Group,Крв Група @@ -2181,7 +2185,7 @@ DocType: Student,Guardians,старатељи 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 +336,Debit To is required,Дебитна Да је потребно +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,Понуда Рок @@ -2194,7 +2198,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Укупно Не DocType: BOM Website Operation,BOM Website Operation,БОМ Сајт Операција apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Понуда Леттер apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генеришите Захтеви материјал (МРП) и производних налога. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Укупно фактурисано Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Укупно фактурисано Амт DocType: BOM,Conversion Rate,Стопа конверзије apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Претрага производа DocType: Timesheet Detail,To Time,За време @@ -2209,7 +2213,7 @@ 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} не може да се ажурира преко Стоцк помирење, користите Стоцк унос" DocType: Training Event Employee,Training Event Employee,Тренинг догађај запослених -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} серијски бројеви који су потребни за тачком {1}. Ви сте под условом {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} серијски бројеви који су потребни за тачком {1}. Ви сте под условом {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Тренутни Процена курс DocType: Item,Customer Item Codes,Кориснички кодова apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Курсне / Губитак @@ -2257,7 +2261,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 +2454,Select Batch No,Избор серијски бр +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,Унапред Износ @@ -2281,19 +2285,19 @@ DocType: Leave Block List,Allow Users,Дозволи корисницима DocType: Purchase Order,Customer Mobile No,Кориснички Мобилни број DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Пратите посебан Приходи и расходи за вертикала производа или подела. DocType: Rename Tool,Rename Tool,Преименовање Тоол -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Ажурирање Трошкови +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 +438,Show Salary Slip,Схов плата Слип apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Молимо поставите понављају након снимања -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Избор промена износ рачуна +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,Молимо поставите понављају након снимања +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,Додај Порези +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,буџета рачуна @@ -2304,6 +2308,7 @@ DocType: Stock Entry,Purchase Receipt No,Куповина Пријем Нема apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,задаток DocType: Process Payroll,Create Salary Slip,Направи Слип платама apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,следљивост +DocType: Purchase Invoice Item,HSN/SAC Code,ХСН / САЧ код 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,Запосленик @@ -2333,7 +2338,7 @@ DocType: Employee Education,Post Graduate,Пост дипломски DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Одржавање Распоред Детаљ DocType: Quality Inspection Reading,Reading 9,Читање 9 DocType: Supplier,Is Frozen,Је замрзнут -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,складиште група чвор није дозвољено да изаберете за трансакције +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,складиште група чвор није дозвољено да изаберете за трансакције DocType: Buying Settings,Buying Settings,Куповина Сеттингс DocType: Stock Entry Detail,BOM No. for a Finished Good Item,БОМ Но за готових добре тачке DocType: Upload Attendance,Attendance To Date,Присуство Дате @@ -2348,13 +2353,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп." +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.js +153,You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке +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,За Количина apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}" @@ -2376,7 +2381,7 @@ DocType: Authorization Rule,Authorized Value,Овлашћени Вредност DocType: BOM,Show Operations,Схов операције ,Minutes to First Response for Opportunity,Минутес то први одговор за Оппортунити apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Укупно Абсент -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Јединица мере DocType: Fiscal Year,Year End Date,Датум завршетка године DocType: Task Depends On,Task Depends On,Задатак Дубоко У @@ -2468,7 +2473,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете производить больше элемент {0} , чем количество продаж Заказать {1}" +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/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,Следећа контактирати путем не може бити исто као водећи Емаил Аддресс @@ -2566,9 +2571,9 @@ 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 +789,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Реф +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Реф DocType: Budget,Cost Center,Трошкови центар apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Ваучер # DocType: Notification Control,Purchase Order Message,Куповина поруку Ордер @@ -2584,7 +2589,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 +1165,Please enter Item Code to get batch no,Унесите Шифра добити пакет не +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Унесите Шифра добити пакет не apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,Стоцк Подешавања @@ -2603,7 +2608,7 @@ DocType: Project,Task Completion,zadatak Завршетак apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Није у стању DocType: Appraisal,HR User,ХР Корисник DocType: Purchase Invoice,Taxes and Charges Deducted,Порези и накнаде одузима -apps/erpnext/erpnext/hooks.py +116,Issues,Питања +apps/erpnext/erpnext/hooks.py +124,Issues,Питања apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Статус должен быть одним из {0} DocType: Sales Invoice,Debit To,Дебитна Да DocType: Delivery Note,Required only for sample item.,Потребно само за узорак ставку. @@ -2632,6 +2637,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Територија apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Пожалуйста, укажите кол-во посещений , необходимых" DocType: Stock Settings,Default Valuation Method,Уобичајено Процена Метод +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,провизија DocType: Vehicle Log,Fuel Qty,Гориво ком DocType: Production Order Operation,Planned Start Time,Планирано Почетак Време DocType: Course,Assessment,процена @@ -2641,12 +2647,12 @@ 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 +149,Quotation {0} is cancelled,Цитата {0} отменяется -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Преостали дио кредита +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Преостали дио кредита DocType: Sales Partner,Targets,Мете DocType: Price List,Price List Master,Ценовник Мастер DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Све продаје Трансакције се могу означена против више лица ** ** Продаја тако да можете подесити и пратити циљеве. ,S.O. No.,С.О. Не. -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Пожалуйста, создайте Клиента от свинца {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Пожалуйста, создайте Клиента от свинца {0}" DocType: Price List,Applicable for Countries,Важи за земље apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Остави само Апликације које имају статус "Одобрено" и "Одбијен" могу се доставити apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Студент Име групе је обавезно у реду {0} @@ -2696,6 +2702,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/config/hr.py +163,Define various loan types,Дефинисати различите врсте кредита DocType: Bin,FCFS Rate,Стопа ФЦФС DocType: Payment Reconciliation Invoice,Outstanding Amount,Изванредна Износ @@ -2738,8 +2745,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Пренос матери 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.,Попуст Проценат може да се примени било против ценовнику или за све Ценовником. DocType: Purchase Invoice,Half-yearly,Полугодишње apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Рачуноводство Ентри за Деонице +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Већ сте оцијенили за критеријуми за оцењивање {}. DocType: Vehicle Service,Engine Oil,Моторно уље -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Молим вас запослених подешавање Именовање систем у људских ресурса> људских ресурса Сеттингс DocType: Sales Invoice,Sales Team1,Продаја Теам1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Пункт {0} не существует DocType: Sales Invoice,Customer Address,Кориснички Адреса @@ -2767,7 +2774,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правно лице / Подружница са посебном контном припада организацији. DocType: Payment Request,Mute Email,Муте-маил apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Храна , пиће и дуван" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100" DocType: Stock Entry,Subcontract,Подуговор apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Молимо Вас да унесете {0} прво @@ -2795,7 +2802,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Студент Месечно Присуство лист apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Сотрудник {0} уже подало заявку на {1} между {2} и {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Пројекат Датум почетка -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,До +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,До DocType: Rename Tool,Rename Log,Преименовање Лог apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студент група или предмета Распоред је обавезна apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студент група или предмета Распоред је обавезна @@ -2820,7 +2827,7 @@ DocType: Purchase Order Item,Returned Qty,Вратио ком DocType: Employee,Exit,Излаз apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корен Тип је обавезно DocType: BOM,Total Cost(Company Currency),Укупни трошкови (Фирма валута) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Серийный номер {0} создан +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Серийный номер {0} создан DocType: Homepage,Company Description for website homepage,Опис Компаније за веб страницу DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","За практичност потрошача, ови кодови могу да се користе у штампаним форматима као што су фактуре и отпремнице" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,суплиер Име @@ -2841,7 +2848,7 @@ DocType: SMS Settings,SMS Gateway URL,СМС Гатеваи УРЛ адреса apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Распоред курса избрисан: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Протоколи за одржавање смс статус испоруке DocType: Accounts Settings,Make Payment via Journal Entry,Извршити уплату преко Јоурнал Ентри -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Штампано на +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Штампано на DocType: Item,Inspection Required before Delivery,Инспекција Потребна пре испоруке DocType: Item,Inspection Required before Purchase,Инспекција Потребна пре куповине apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Пендинг Активности @@ -2873,9 +2880,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студе apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,лимит Цроссед apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,Академски назив са овим 'школској' {0} и 'Рок име' {1} већ постоји. Молимо Вас да измените ове ставке и покушајте поново. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Као што постоје постоје трансакције против ставку {0}, не може да промени вредност {1}" +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}","Као што постоје постоје трансакције против ставку {0}, не може да промени вредност {1}" DocType: UOM,Must be Whole Number,Мора да буде цео број DocType: Leave Control Panel,New Leaves Allocated (In Days),Нове Лишће Издвојена (у данима) +DocType: Sales Invoice,Invoice Copy,faktura Копирање apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Серийный номер {0} не существует DocType: Sales Invoice Item,Customer Warehouse (Optional),Купац Магацин (опционо) DocType: Pricing Rule,Discount Percentage,Скидка в процентах @@ -2921,8 +2929,10 @@ 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 +305,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,Исправка вриједности рачуна DocType: Stock Settings,Freeze Stock Entries,Фреезе уносе берза +DocType: Program Enrollment,Boarding Student,ЈУ Студентски DocType: Asset,Expected Value After Useful Life,Очекује Вредност Након користан Лифе DocType: Item,Reorder level based on Warehouse,Промени редослед ниво на основу Варехоусе DocType: Activity Cost,Billing Rate,Обрачун курс @@ -2950,11 +2960,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Изаберите студенти ручно активности заснива Групе DocType: Journal Entry,User Remark,Корисник Напомена DocType: Lead,Market Segment,Сегмент тржишта -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Плаћени износ не може бити већи од укупног негативног преостали износ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Плаћени износ не може бити већи од укупног негативног преостали износ {0} DocType: Employee Internal Work History,Employee Internal Work History,Запослени Интерна Рад Историја apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Затварање (др) DocType: Cheque Print Template,Cheque Size,Чек величина -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Серийный номер {0} не в наличии +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Серийный номер {0} не в наличии apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Налоговый шаблон для продажи сделок. DocType: Sales Invoice,Write Off Outstanding Amount,Отпис неизмирени износ apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Рачун {0} не поклапа са Компаније {1} @@ -2979,7 +2989,7 @@ 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 +348,Add a few sample records,Додајте неколико узорака евиденцију +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,Потпуно Испоручено @@ -2993,17 +3003,17 @@ 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 +418,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,Куповина нарудзбини apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Серијски број и партије DocType: Warranty Claim,From Company,Из компаније -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Збир Сцорес мерила за оцењивање треба да буде {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Збир Сцорес мерила за оцењивање треба да буде {0}. 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 +270,Minute,минут +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,минут DocType: Purchase Invoice,Purchase Taxes and Charges,Куповина Порези и накнаде ,Qty to Receive,Количина за примање DocType: Leave Block List,Leave Block List Allowed,Оставите Блоцк Лист Дозвољени @@ -3024,7 +3034,7 @@ DocType: Production Order,PRO-,ПРО- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банк Овердрафт счета apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Маке плата Слип apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ред # {0}: Додељени износ не може бити већи од преостали износ. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Бровсе БОМ +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Бровсе БОМ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Обеспеченные кредиты DocType: Purchase Invoice,Edit Posting Date and Time,Едит Књижење Датум и време apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Молимо поставите рачуна везаним амортизације средстава категорије {0} или компаније {1} @@ -3040,7 +3050,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 +278,Select Quantity,Изаберите Количина +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,Унсубсцрибе из овог Емаил Дигест @@ -3063,6 +3073,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Није дозвољено да ажурирате акција трансакције старије од {0} DocType: Purchase Invoice Item,PR Detail,ПР Детаљ DocType: Sales Order,Fully Billed,Потпуно Изграђена +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добављач> добављач Тип 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 +127,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),Бруто тежина пакета. Обично нето тежина + амбалаже тежина. (За штампу) @@ -3101,8 +3112,9 @@ 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} не представлено DocType: Customs Tariff Number,Tariff Number,Тарифни број +DocType: Production Order Item,Available Qty at WIP Warehouse,Доступно Количина у ВИП Варехоусе apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,пројектован -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {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,Примечание: Система не будет проверять по - доставки и избыточного бронирования по пункту {0} как количестве 0 DocType: Notification Control,Quotation Message,Цитат Порука DocType: Employee Loan,Employee Loan Application,Запослени Захтев за кредит @@ -3120,13 +3132,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слетео Трошкови Ваучер Износ apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Рачуни подигао Добављачи. DocType: POS Profile,Write Off Account,Отпис налог -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебит ноте Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Дебит ноте Амт apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Сумма скидки 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 +207,e.g. VAT,например НДС +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,Подуговарање @@ -3134,7 +3146,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 +1945,Please select customer,Молимо одаберите клијента +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,Молимо одаберите клијента DocType: C-Form,I,ја DocType: Company,Asset Depreciation Cost Center,Средство Амортизација Трошкови центар DocType: Sales Order Item,Sales Order Date,Продаја Датум поруџбине @@ -3163,7 +3175,7 @@ DocType: Lead,Address Desc,Адреса Десц apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Парти је обавезно DocType: Journal Entry,JV-,ЈВ- DocType: Topic,Topic Name,Назив теме -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Барем један од продајете или купујете морају бити изабрани +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Барем један од продајете или купујете морају бити изабрани apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Изаберите природу вашег посла. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: Дуплицате ентри референци {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Где се обавља производњу операције. @@ -3172,7 +3184,7 @@ 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} DocType: Employee,Confirmation Date,Потврда Датум DocType: C-Form,Total Invoiced Amount,Укупан износ Фактурисани -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол DocType: Account,Accumulated Depreciation,Акумулирана амортизација DocType: Stock Entry,Customer or Supplier Details,Купца или добављача Детаљи DocType: Employee Loan Application,Required by Date,Рекуиред би Дате @@ -3201,10 +3213,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Наруџб apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Назив компаније не може бити Фирма apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Письмо главы для шаблонов печати . apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Титулы для шаблонов печатных например Фактуры Proforma . +DocType: Program Enrollment,Walking,Ходање DocType: Student Guardian,Student Guardian,студент Гардијан apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Тип Процена трошкови не могу означити као инцлусиве DocType: POS Profile,Update Stock,Упдате Стоцк -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добављач> добављач Тип apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто . Убедитесь, что вес нетто каждого элемента находится в том же UOM ." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,БОМ курс DocType: Asset,Journal Entry for Scrap,Јоурнал Ентри за отпад @@ -3258,7 +3270,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Покажи пореза распада apps/erpnext/erpnext/accounts/party.py +308,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,Ниједан студент Фоунд @@ -3278,14 +3289,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Но Ученици у +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 +108,Please enter 'Expected Delivery Date',"Пожалуйста, введите ' ожидаемой даты поставки """ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Неважећи ГСТИН или Ентер НА за регистровани +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,Неважећи ГСТИН или Ентер НА за регистровани DocType: Training Event,Seminar,семинар DocType: Program Enrollment Fee,Program Enrollment Fee,Програм Упис накнада DocType: Item,Supplier Items,Супплиер артикала @@ -3315,21 +3326,23 @@ DocType: Sales Team,Contribution (%),Учешће (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примечание: Оплата Вступление не будет создана , так как "" Наличные или Банковский счет "" не был указан" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Одговорности DocType: Expense Claim Account,Expense Claim Account,Расходи Захтев налог +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Именовање Сериес за {0} подешавањем> Сеттингс> Именовање Сериес 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,Додај корисника 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. DocType: Stock Reconciliation Item,Before reconciliation,Пре помирења apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Да {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Порези и накнаде додавања (Друштво валута) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная DocType: Sales Order,Partly Billed,Делимично Изграђена apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Итем {0} мора бити основних средстава итем DocType: Item,Default BOM,Уобичајено БОМ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Задужењу Износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Задужењу Износ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Молимо Вас да поново тип цомпани наме да потврди -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Укупно Изванредна Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Укупно Изванредна Амт DocType: Journal Entry,Printing Settings,Принтинг Подешавања DocType: Sales Invoice,Include Payment (POS),Укључују плаћања (пос) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Укупно задуживање мора бити једнак укупном кредитном . @@ -3337,20 +3350,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ауто DocType: Vehicle,Insurance Company,Осигурање DocType: Asset Category Account,Fixed Asset Account,Основних средстава налог apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,варијабла -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Из доставница +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Из доставница DocType: Student,Student Email Address,Студент-маил адреса DocType: Timesheet Detail,From Time,Од времена apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,На лагеру: DocType: Notification Control,Custom Message,Прилагођена порука apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестиционо банкарство apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо Вас да подешавање бројева серије за похађање преко Сетуп> нумерисање серија apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса 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 +1517,Address Name,Адреса Име +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адреса Име DocType: Stock Entry,From BOM,Од БОМ DocType: Assessment Code,Assessment Code,Процена код apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,основной @@ -3367,7 +3379,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу. +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/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,Месечна отплата износ не може бити већи од кредита Износ @@ -3375,7 +3387,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Унесите вредност мора бити позитивна +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,Студент је већ уписано. @@ -3384,7 +3396,7 @@ DocType: Process Payroll,Process Payroll,Процес Паиролл apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,"Есть больше праздников , чем рабочих дней в этом месяце." DocType: Product Bundle Item,Product Bundle Item,Производ Бундле артикла DocType: Sales Partner,Sales Partner Name,Продаја Име партнера -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Захтев за Куотатионс +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Захтев за Куотатионс DocType: Payment Reconciliation,Maximum Invoice Amount,Максимални износ фактуре DocType: Student Language,Student Language,студент Језик apps/erpnext/erpnext/config/selling.py +23,Customers,Купци @@ -3395,7 +3407,7 @@ DocType: Asset,Partially Depreciated,делимично амортизује DocType: Issue,Opening Time,Радно време apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"От и До даты , необходимых" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Хартије од вредности и робним берзама -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту '{0}' мора бити исти као у темплате '{1}' +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 +847,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња @@ -3414,7 +3426,7 @@ 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 +266,Raw Material,сырье +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Сумма налога После скидка сумма @@ -3426,7 +3438,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Датум отварања треба да буде пре затварања Дате -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Именовање Сериес за {0} подешавањем> Сеттингс> Именовање Сериес 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.,Дани за које Празници су блокирани овом одељењу. @@ -3439,8 +3450,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего""" -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0} +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/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,Банка Унос DocType: Authorization Rule,Applicable To (Designation),Важећи Да (Именовање) @@ -3457,7 +3468,7 @@ 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 +270,Hour,час +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Нисте ауторизовани да одобри лишће на блок Датуми @@ -3467,7 +3478,7 @@ 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 +645,Point of Sale,Поинт оф Сале +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,Поинт оф Сале DocType: Payment Entry,Received Amount,примљени износ DocType: GST Settings,GSTIN Email Sent On,ГСТИН Емаил Сент На DocType: Program Enrollment,Pick/Drop by Guardian,Пицк / сврати Гуардиан @@ -3484,8 +3495,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 +270,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0. +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/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 јединица. @@ -3511,14 +3522,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 +465,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,Марк Присуство за више радника @@ -3550,7 +3561,7 @@ 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 +436,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0} DocType: Leave Allocation,Unused leaves,Неискоришћени листови apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Кр DocType: Tax Rule,Billing State,Тецх Стате @@ -3598,7 +3609,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},Неважећи атрибут {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Молимо одаберите групу процене осим "Све за оцењивање група" @@ -3700,16 +3711,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,плата компон DocType: Program Enrollment Tool,New Academic Year,Нова школска година apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Повратак / одобрењу кредита DocType: Stock Settings,Auto insert Price List rate if missing,Аутоматско уметак Ценовник стопа ако недостаје -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Укупно Плаћени износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Укупно Плаћени износ DocType: Production Order Item,Transferred Qty,Пренето Кти apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигација 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 +272,We sell this Item,Ми продајемо ову ставку +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 података 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,Полудневни Датум @@ -3757,7 +3770,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 +1186,Please set Company,Молимо поставите Цомпани +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,Молимо поставите Цомпани DocType: Pricing Rule,Buying,Куповина DocType: HR Settings,Employee Records to be created by,Евиденција запослених које ће креирати DocType: POS Profile,Apply Discount On,Аппли попуста на @@ -3774,13 +3787,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,таксе DocType: Attendance,ATT-,АТТ- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1} DocType: Lead,Add to calendar on this date,Додај у календар овог датума apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для добавления стоимости доставки . DocType: Item,Opening Stock,otvaranje Сток apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Требуется клиентов apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} је обавезна за повратак DocType: Purchase Order,To Receive,Примити +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,усер@екампле.цом DocType: Employee,Personal Email,Лични Е-маил apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Укупна разлика DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако је укључен, систем ће писати уносе рачуноводствене инвентар аутоматски." @@ -3792,7 +3806,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 +541,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,Стандардна Продаја @@ -3800,7 +3814,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Од гаранције DocType: BOM Replace Tool,Replace,Заменити apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Нема нађених производа. -DocType: Production Order,Unstopped,Унстоппед apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} против продаје фактуре {1} DocType: Sales Invoice,SINV-,СИНВ- DocType: Request for Quotation Item,Project Name,Назив пројекта @@ -3811,6 +3824,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} 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} или већ упарен против другог ваучера @@ -3848,9 +3862,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,"Пункт {0} игнорируется, так как это не складские позиции" +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 +40,Submit this Production Order for further processing.,Пошаљите ова производња би за даљу обраду . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,Послови @@ -3858,12 +3872,14 @@ 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 +209,Rate (%),Ставка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","Додај корисника у вашој организацији, осим себе" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Молимо поставите Фирма филтер празно ако Група По је 'Фирма' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Датум постања не може бити будућност датум apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Серијски број {1} не одговара {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Повседневная Оставить @@ -3892,7 +3908,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Берза Леџер Ентри apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не установка для серийные номера колонке должно быть пустым DocType: Accounts Settings,Accounts Settings,Рачуни Подешавања apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,одобрити DocType: Customer,Sales Partner and Commission,Продаја партнера и Комисија @@ -3907,7 +3923,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,БОМ Експлозија шифра DocType: Account,Auditor,Ревизор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ставки производе +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,Повратак @@ -3921,7 +3937,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,Курс -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,Управљање возним парком @@ -3946,18 +3962,18 @@ 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 +705,Online,мрежи +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Достављени налози се не могу избрисати +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} је онемогућен DocType: Employee Loan,Repay Fixed Amount per Period,Отплатити фиксан износ по периоду apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредит Напомена Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Кредит Напомена Амт DocType: Employee External Work History,Employee External Work History,Запослени Спољни Рад Историја DocType: Tax Rule,Purchase,Куповина apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Стање Кол @@ -3982,7 +3998,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 +2383,Select items to save the invoice,Изабрали ставке да спасе фактуру +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Изабрали ставке да спасе фактуру DocType: Employee,Encashment Date,Датум Енцасхмент DocType: Training Event,Internet,Интернет DocType: Account,Stock Adjustment,Фото со Регулировка @@ -4011,6 +4027,7 @@ DocType: Guardian,Guardian Of ,čuvar DocType: Grading Scale Interval,Threshold,праг DocType: BOM Replace Tool,Current BOM,Тренутни БОМ apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Додај сериал но +DocType: Production Order Item,Available Qty at Source Warehouse,Доступно Количина на извору Варехоусе apps/erpnext/erpnext/config/support.py +22,Warranty,гаранција DocType: Purchase Invoice,Debit Note Issued,Задужењу Издато DocType: Production Order,Warehouses,Складишта @@ -4026,13 +4043,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Износ П apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Пројецт Манагер ,Quoted Item Comparison,Цитирано артикла Поређење apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,депеша -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Максимална дозвољена попуст за ставку: {0} је {1}% +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 +279,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 +879,Select Items to Manufacture,Изабери ставке у Производња -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје" DocType: Item,Material Issue,Материјал Издање DocType: Hub Settings,Seller Description,Продавац Опис DocType: Employee Education,Qualification,Квалификација @@ -4056,7 +4073,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Нельзя отменить , потому что представляется со Вступление {0} существует" DocType: Employee Loan,Disbursement Date,isplata Датум DocType: Vehicle,Vehicle,Возило DocType: Purchase Invoice,In Words,У Вордс @@ -4077,7 +4094,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Да бисте подесили ову фискалну годину , као подразумевајуће , кликните на "" Сет ас Дефаулт '" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Придружити apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Мањак Количина -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима DocType: Employee Loan,Repay from Salary,Отплатити од плате DocType: Leave Application,LAP/,ЛАП / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Тражећи исплату од {0} {1} за износ {2} @@ -4095,18 +4112,18 @@ 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 +1011,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Серийный номер {0} уже получил +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: Expense Claim,Vehicle Log,возило се DocType: Purchase Invoice,Recurring Id,Понављајући Ид DocType: Customer,Sales Team Details,Продајни тим Детаљи -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Обриши трајно? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Неважећи {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неважећи {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Отпуск по болезни DocType: Email Digest,Email Digest,Е-маил Дигест DocType: Delivery Note,Billing Address Name,Адреса за наплату Име @@ -4119,6 +4136,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Наплатив DocType: Company,Change Abbreviation,Промена скраћеница DocType: Expense Claim Detail,Expense Date,Расходи Датум +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код итем> итем Група> Бренд DocType: Item,Max Discount (%),Максимална Попуст (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Последњи Наручи Количина DocType: Task,Is Milestone,Да ли је МОТО @@ -4142,8 +4160,8 @@ DocType: Program Enrollment Tool,New Program,Нови програм DocType: Item Attribute Value,Attribute Value,Вредност атрибута ,Itemwise Recommended Reorder Level,Препоручени ниво Итемвисе Реордер DocType: Salary Detail,Salary Detail,плата Детаљ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Изаберите {0} први -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Батцх {0} од тачке {1} је истекао. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Изаберите {0} први +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Батцх {0} од тачке {1} је истекао. DocType: Sales Invoice,Commission,комисија apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Време лист за производњу. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,сума ставке @@ -4168,12 +4186,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 +399,Operation Time must be greater than 0 for Operation {0},Операција време мора бити већи од 0 за операцију {0} +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/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 +387,Production Order cannot be raised against a Item Template,Производња поредак не може бити подигнута против тачка Темплате +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,Датум почетка @@ -4203,7 +4221,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,odlaganje Датум DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Емаилс ће бити послат свим активних радника компаније у датом сат времена, ако немају одмора. Сажетак одговора ће бити послат у поноћ." DocType: Employee Leave Approver,Employee Leave Approver,Запослени одсуство одобраватељ -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не могу прогласити као изгубљен , јер Понуда је учињен ." 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} должны быть представлены @@ -4237,6 +4255,7 @@ DocType: Announcement,Student,студент apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Название подразделения (департамент) хозяин. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Введите действительные мобильных NOS apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ДУПЛИЦАТЕ за добављача DocType: Email Digest,Pending Quotations,у току Куотатионс apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Поинт-оф-Сале Профиле apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Молимо Упдате СМС Сеттингс @@ -4245,7 +4264,7 @@ DocType: Cost Center,Cost Center Name,Трошкови Име центар DocType: Employee,B+,Б + DocType: HR Settings,Max working hours against Timesheet,Мак радног времена против ТимеСхеет DocType: Maintenance Schedule Detail,Scheduled Date,Планиран датум -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Укупно Плаћени Амт +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Укупно Плаћени Амт DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Порука већи од 160 карактера ће бити подељен на више Упис DocType: Purchase Receipt Item,Received and Accepted,Примио и прихватио ,GST Itemised Sales Register,ПДВ ставкама продаје Регистрација @@ -4255,7 +4274,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 +237,Your Suppliers,Ваши Добављачи +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',не могу одбити када категорија је за "процену вредности" или "Ваулатион и Тотал ' @@ -4267,7 +4286,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Сајт Слика {0} везани са тачком {1} не могу наћи +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.,Наведи ову ставку у више група на сајту. @@ -4282,7 +4301,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Шта он apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Да Варехоусе apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Све Студент Пријемни ,Average Commission Rate,Просечан курс Комисија -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Има серијски број"" не може бити ""Да"" за артикл који није на залихама" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Има серијски број"" не може бити ""Да"" за артикл који није на залихама" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Гледалаца не може бити означен за будуће датуме DocType: Pricing Rule,Pricing Rule Help,Правилник о ценама Помоћ DocType: School House,House Name,хоусе Име @@ -4298,7 +4317,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 +339,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,Осигурање Датум почетка треба да буде мања од осигурања Енд дате @@ -4313,20 +4332,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Плата Слип запосленог {0} већ креиран за време стања {1} DocType: Vehicle Log,Odometer,мерач за пређени пут DocType: Sales Order Item,Ordered Qty,Ж Кол -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Ставка {0} је онемогућен +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 +874,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,Рефуеллинг Детаљи apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Генериши стаје ПЛАТА -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Куповина се мора проверити, ако је применљиво Јер је изабрана као {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Куповина се мора проверити, ако је применљиво Јер је изабрана као {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Скидка должна быть меньше 100 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 +500,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,програм Упис DocType: Landed Cost Voucher,Landed Cost Voucher,Слетео Трошкови Ваучер @@ -4389,7 +4408,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra DocType: Maintenance Visit,MV,СН apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очекивани датум не може бити пре Материјал Захтев Датум DocType: Purchase Invoice Item,Stock Qty,стоцк ком -DocType: Production Order,Source Warehouse (for reserving Items),Извор Магацин (за резервисање Предмети) DocType: Employee Loan,Repayment Period in Months,Период отплате у месецима apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Грешка: Не важи? Ид? DocType: Naming Series,Update Series Number,Упдате Број @@ -4438,7 +4456,7 @@ DocType: Production Order,Planned End Date,Планирани Датум Кра apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Где ставке су ускладиштене. DocType: Request for Quotation,Supplier Detail,добављач Детаљ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Грешка у формули или стања: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Фактурисани износ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Фактурисани износ DocType: Attendance,Attendance,Похађање apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,залихама DocType: BOM,Materials,Материјали @@ -4478,10 +4496,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Подешавање једноставан сајт за своју организацију +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0} DocType: Item,Default Warehouse,Уобичајено Магацин apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Буџет не може бити додељен против групе рачуна {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Пожалуйста, введите МВЗ родительский" @@ -4542,7 +4560,7 @@ 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 +1344,Select or add new customer,Изабрати или додати новог купца +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/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,Ово је засновано на похађања овог запосленог @@ -4550,6 +4568,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,Датум почетка године DocType: Attendance,Employee Name,Запослени Име DocType: Sales Invoice,Rounded Total (Company Currency),Заобљени Укупно (Друштво валута) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Молим вас запослених подешавање Именовање систем у људских ресурса> људских ресурса Сеттингс 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите . DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп кориснике од доношења Леаве апликација на наредним данима. @@ -4572,7 +4591,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Читање 3 ,Hub,Средиште DocType: GL Entry,Voucher Type,Тип ваучера -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ценовник није пронађен или онемогућен +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} должен быть установлен как "" левые""" @@ -4592,7 +4611,7 @@ DocType: POS Profile,Account for Change Amount,Рачун за промене И apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Партија / налог не подудара са {1} / {2} {3} у {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Унесите налог Екпенсе DocType: Account,Stock,Залиха -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри" DocType: Employee,Current Address,Тренутна адреса DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако ставка је варијанта неким другим онда опис, слике, цене, порези итд ће бити постављен из шаблона, осим ако изричито наведено" DocType: Serial No,Purchase / Manufacture Details,Куповина / Производња Детаљи @@ -4631,11 +4650,12 @@ DocType: Student,Home Address,Кућна адреса apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,трансфер имовине DocType: POS Profile,POS Profile,ПОС Профил DocType: Training Event,Event Name,Име догађаја -apps/erpnext/erpnext/config/schools.py +39,Admission,улаз +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,улаз apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Пријемни за {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Ставка {0} је шаблон, изаберите једну од својих варијанти" DocType: Asset,Asset Category,средство Категорија +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Купац apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Чистая зарплата не может быть отрицательным DocType: SMS Settings,Static Parameters,Статички параметри DocType: Assessment Plan,Room,соба @@ -4644,6 +4664,7 @@ DocType: Item,Item Tax,Ставка Пореска apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материјал за добављача apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизе фактура apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Тресхолд {0}% појављује више пута +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Кориснички> Кориснички Група> Територија 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,Текущие обязательства @@ -4715,6 +4736,7 @@ DocType: Leave Type,Is Carry Forward,Је напред Царри apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,Не поднесе плата Слипс ,Stock Summary,стоцк Преглед diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv index c34f9a30bd..89a5592795 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 +194,"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 +192,"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 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1} +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 +808,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 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py 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 DocType: Employee,Holiday List,Holiday Lista -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Revisor +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Revisor DocType: Cost Center,Stock User,Lager Användar DocType: Company,Phone No,Telefonnr apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kurs Scheman skapas: @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Ej tillåtet för {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Få objekt från -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +131,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 +1673,Not items found,Inte artiklar hittade +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,lagerrapporter DocType: Warehouse,Warehouse Detail,Lagerdetalj apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditgräns har överskridits för kund {0} {1} / {2} 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.,Termen Slutdatum kan inte vara senare än slutet av året Datum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Från {0} till {1} DocType: Item,Copy From Item Group,Kopiera från artikelgrupp DocType: Journal Entry,Opening Entry,Öppnings post -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Endast konto Pay DocType: Employee Loan,Repay Over Number of Periods,Repay Över Antal perioder DocType: Stock Entry,Additional Costs,Merkostnader @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Fastighet -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoutdrag +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 DocType: Purchase Invoice Item,Is Fixed Asset,Är anläggningstillgång apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tillgång Antal är {0}, behöver du {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Förbrukningsartiklar +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,12 +212,12 @@ 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 +143,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 +144,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 +302,Example: Basic Mathematics,Exempel: Grundläggande matematik +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/config/hr.py +214,Settings for HR Module,Inställningar för HR-modul DocType: SMS Center,SMS Center,SMS Center @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Produkter och prissättning apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Totalt antal timmar: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Från Datum bör ligga inom räkenskapsåret. Förutsatt Från Datum = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Citat DocType: Customer,Individual,Individuell DocType: Interest,Academics User,akademiker Användar DocType: Cheque Print Template,Amount In Figure,Belopp I figur @@ -265,7 +266,7 @@ DocType: Employee,Create User,Skapa användare DocType: Selling Settings,Default Territory,Standard Område apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Tv DocType: Production Order Operation,Updated via 'Time Log',Uppdaterad via "Time Log" -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance beloppet kan inte vara större än {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Advance beloppet kan inte vara större än {0} {1} DocType: Naming Series,Series List for this Transaction,Serie Lista för denna transaktion DocType: Company,Enable Perpetual Inventory,Aktivera evigt lager DocType: Company,Default Payroll Payable Account,Standard Lön Betal konto @@ -273,7 +274,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 +177,For Warehouse is required before Submit,För Lagerkrävs innan du kan skicka +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/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." @@ -281,13 +282,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 +2256,"LocalStorage is full , did not save","Localstorage är full, inte spara" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Kontaktnamn +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Avgångs Datum måste vara större än Datum för anställningsdatum apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Avgångar per år 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 +189,Warehouse {0} does not belong to company {1},Lager {0} tillhör inte företaget {1} +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 +270,Litre,Liter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankAnteckningar apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Årlig DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lager Avstämning Punkt @@ -315,7 +316,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 +316,People who teach at your organisation,Personer som undervisar i organisationen +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Tillåt användare att redigera Kur 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 +699,Item {0} is cancelled,Punkt {0} avbryts +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 +882,Material Request,Materialförfrågan DocType: Bank Reconciliation,Update Clearance Date,Uppdatera Clearance Datum DocType: Item,Purchase Details,Inköpsdetaljer @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} inlagd två gånger under punkten Skatt +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} inlagd två gånger under punkten Skatt apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Sammanfattning för denna vecka och pågående aktiviteter DocType: Student Applicant,Admitted,medgav DocType: Workstation,Rent Cost,Hyr Kostnad @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Emot apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Skapa studentgrupper apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Inställning Redan Komplett !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kreditnotbelopp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kreditnotbelopp ,Finished Goods,Färdiga Varor DocType: Delivery Note,Instructions,Instruktioner DocType: Quality Inspection,Inspected By,Inspekteras av @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Skapa en ny kund +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/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 Inställningar> Numreringsserie apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Skapa inköpsorder ,Purchase Register,Inköpsregistret DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,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 +361,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 @@ -492,7 +494,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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å -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valda flera gånger i attribut Tabell +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valda flera gånger i attribut Tabell DocType: HR Settings,Employee record is created using selected field. ,Personal register skapas med hjälp av valda fältet. DocType: Sales Order,Not Applicable,Inte Tillämpbar apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Semester topp. @@ -528,7 +530,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 +219,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 +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/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" @@ -543,7 +545,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ange vilket lager som Material Begäran kommer att anges mot DocType: Production Order,Additional Operating Cost,Ytterligare driftkostnader apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","För att sammanfoga, måste följande egenskaper vara samma för båda objekten" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","För att sammanfoga, måste följande egenskaper vara samma för båda objekten" DocType: Shipping Rule,Net Weight,Nettovikt DocType: Employee,Emergency Phone,Nödtelefon apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Köpa @@ -553,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%,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 +2428,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 @@ -572,7 +574,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lägg till / redigera skatter och avgifter DocType: Purchase Invoice,Supplier Invoice No,Leverantörsfaktura Nej DocType: Territory,For reference,Som referens -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan inte ta bort Löpnummer {0}, eftersom det används i aktietransaktioner" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Kan inte ta bort Löpnummer {0}, eftersom det används i aktietransaktioner" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Closing (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Flytta objekt DocType: Serial No,Warranty Period (Days),Garantiperiod (dagar) @@ -593,7 +595,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Välj Företag och parti typ först apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Budget / räkenskapsåret. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ackumulerade värden -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Tyvärr, kan serienumren inte slås samman" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Tyvärr, kan serienumren inte slås samman" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Skapa kundorder DocType: Project Task,Project Task,Projektuppgift ,Lead Id,Prospekt Id @@ -613,6 +615,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Fördela apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return 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,Obs: Totala antalet allokerade blad {0} inte bör vara mindre än vad som redan har godkänts blad {1} för perioden +,Total Stock Summary,Total lageröversikt DocType: Announcement,Posted By,Postat av DocType: Item,Delivered by Supplier (Drop Ship),Levereras av leverantören (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Databas för potentiella kunder. @@ -621,7 +624,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Kunddatabas. DocType: Quotation,Quotation To,Offert Till DocType: Lead,Middle Income,Medelinkomst apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Öppning (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard mätenhet för punkt {0} kan inte ändras direkt eftersom du redan har gjort vissa transaktioner (s) med en annan UOM. Du måste skapa en ny punkt för att använda en annan standard UOM. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard mätenhet för punkt {0} kan inte ändras direkt eftersom du redan har gjort vissa transaktioner (s) med en annan UOM. Du måste skapa en ny punkt för att använda en annan standard UOM. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Avsatt belopp kan inte vara negativ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vänligen ställ in företaget DocType: Purchase Order Item,Billed Amt,Fakturerat ant. @@ -642,6 +645,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Maximal Assessment Score apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Uppdatera banköverföring Datum apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Time Tracking +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,DUPLICERA FÖR TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Räkenskapsårets Företag DocType: Packing Slip Item,DN Detail,DN Detalj DocType: Training Event,Conference,Konferens @@ -682,8 +686,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 +320,Timesheet created:,Tidrapport skapat: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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å @@ -712,7 +716,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 +139,Finish,Yta +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Yta apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Bas DocType: Timesheet,Total Billed Hours,Totalt Fakturerade Timmar DocType: Journal Entry,Write Off Amount,Avskrivningsbelopp @@ -747,7 +751,7 @@ DocType: Hub Settings,Seller City,Säljaren stad ,Absent Student Report,Frånvarorapport Student DocType: Email Digest,Next email will be sent on:,Nästa e-post kommer att skickas på: DocType: Offer Letter Term,Offer Letter Term,Erbjudande Brev Villkor -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Produkten har varianter. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Produkten har varianter. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Produkt {0} hittades inte DocType: Bin,Stock Value,Stock Värde apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,existerar inte företag {0} @@ -794,12 +798,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,göra Tidrapport +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -838,13 +842,13 @@ DocType: Company,Default Cost of Goods Sold Account,Standardkostnad Konto Sålda apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prislista inte valt DocType: Employee,Family Background,Familjebakgrund DocType: Request for Quotation Supplier,Send Email,Skicka Epost -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varning: Ogiltig Attachment {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Inget Tillstånd +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Varning: Ogiltig Attachment {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Inget Tillstånd 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -863,7 +867,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 +274,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 +275,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 @@ -951,14 +955,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} måste vara aktiv +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Löpnummer {0} inte tillhör punkt {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Löpnummer {0} inte tillhör punkt {1} DocType: Purchase Receipt Item Supplied,Required Qty,Obligatorisk Antal apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Lager med befintlig transaktion kan inte konverteras till redovisningen. DocType: Bank Reconciliation,Total Amount,Totala Summan @@ -975,7 +979,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Komponenter apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ange tillgångsslag i punkt {0} DocType: Quality Inspection Reading,Reading 6,Avläsning 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan inte {0} {1} {2} utan någon negativ enastående faktura +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Kan inte {0} {1} {2} utan någon negativ enastående faktura DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inköpsfakturan Advancerat DocType: Hub Settings,Sync Now,Synkronisera nu apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rad {0}: kreditering kan inte kopplas till en {1} @@ -989,12 +993,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 +731,New Sales Invoice,Ny försäljningsfaktura +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Synkroniserings Offline fakturor +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1027,10 +1031,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kemisk DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Standard Bank / Cash konto kommer att uppdateras automatiskt i Lön Journal Entry när detta läge är valt. DocType: BOM,Raw Material Cost(Company Currency),Råvarukostnaden (Företaget valuta) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alla objekt har redan överförts till denna produktionsorder. +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 +270,Meter,Meter +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1053,7 +1057,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 +452,Please enter Account for Change Amount,Ange konto för förändring Belopp +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 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 @@ -1061,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,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 +259,Qty for {0},Antal för {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1073,9 +1077,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Kontant / Bankkonto apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Specificera en {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Borttagna objekt med någon förändring i kvantitet eller värde. DocType: Delivery Note,Delivery To,Leverans till -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributtabell är obligatoriskt +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Attributtabell är obligatoriskt DocType: Production Planning Tool,Get Sales Orders,Hämta kundorder -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan inte vara negativ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan inte vara negativ apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabatt DocType: Asset,Total Number of Depreciations,Totalt Antal Avskrivningar DocType: Sales Invoice Item,Rate With Margin,Betygsätt med marginal @@ -1112,7 +1116,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 +1546,ZIP Code,Postnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 @@ -1131,7 +1135,7 @@ 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 +238,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 +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/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) @@ -1156,7 +1160,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Ställ in "tillämpa ytterligare rabatt på" +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 DocType: Global Defaults,Global Defaults,Globala standardinställningar @@ -1164,10 +1168,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 +22,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 +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} 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 +347,Capacity Planning Error,Kapacitetsplanering Error +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Kapacitetsplanering Error ,Trial Balance for Party,Trial Balance för Party DocType: Lead,Consultant,Konsult DocType: Salary Slip,Earnings,Vinster @@ -1186,7 +1190,7 @@ DocType: Purchase Invoice,Is Return,Är Returnerad apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Retur / debetnota DocType: Price List Country,Price List Country,Prislista Land DocType: Item,UOMs,UOM -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} giltigt serienummer för punkt {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} giltigt serienummer för punkt {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Produkt kod kan inte ändras för serienummer 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} redan skapats för användare: {1} och företag {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM Omvandlingsfaktor @@ -1196,7 +1200,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 +675,Cost Center For Item with Item Code ',"Kostnadcenter för artikel med artikelkod """ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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." 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" @@ -1239,7 +1243,7 @@ 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,Se journal 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} kan inte ha Batch @@ -1268,7 +1272,7 @@ 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 +288,Example: Masters in Computer Science,Exempel: Masters i datavetenskap +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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 @@ -1279,7 +1283,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Kundorder {0} är inte giltig +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/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} \ @@ -1297,14 +1301,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Utgivningsplats apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakt DocType: Email Digest,Add Quote,Lägg Citat -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverfaktor krävs för UOM: {0} i punkt: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverfaktor krävs för UOM: {0} i punkt: {1} 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 +736,Sync Master Data,Sync basdata -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Dina produkter eller tjänster +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 DocType: Mode of Payment,Mode of Payment,Betalningssätt -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Detta är en rot varugrupp och kan inte ändras. @@ -1321,14 +1325,13 @@ 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 +562,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Produktionsorderstatus är {0} DocType: Appraisal Goal,Goal,Mål DocType: Sales Invoice Item,Edit Description,Redigera Beskrivning ,Team Updates,team Uppdateringar @@ -1344,14 +1347,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlager existerar för det här lagret. Du kan inte ta bort det här lagret. DocType: Item,Website Item Groups,Webbplats artikelgrupper DocType: Purchase Invoice,Total (Company Currency),Totalt (Company valuta) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} in mer än en gång +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 +78,{0} items in progress,{0} objekt pågår +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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 @@ -1410,7 +1413,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,bootstrap 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,7 +1425,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1433,7 +1435,7 @@ DocType: Sales Invoice,Shipping Address Name,Leveransadress Namn apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontoplan DocType: Material Request,Terms and Conditions Content,Villkor Innehåll apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,kan inte vara större än 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Produkt {0} är inte en lagervara +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Produkt {0} är inte en lagervara DocType: Maintenance Visit,Unscheduled,Ledig DocType: Employee,Owned,Ägs DocType: Salary Detail,Depends on Leave Without Pay,Beror på avgång utan lön @@ -1464,7 +1466,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 +273,We buy this Item,Vi köper detta objekt +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 @@ -1475,7 +1477,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 +266,Sub Assemblies,Sub Assemblies +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -1508,12 +1510,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Inga träffar i betalningstabellen apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Detta {0} konflikter med {1} för {2} {3} DocType: Student Attendance Tool,Students HTML,studenter HTML DocType: POS Profile,Apply Discount,Applicera rabatt -DocType: Purchase Invoice Item,GST HSN Code,GST HSN-kod +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 +283,Packing Slip(s) cancelled,Följesedlar avbryts @@ -1556,8 +1558,8 @@ 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 +2573,Default warehouse is required for selected item,Standardlager krävs för vald post -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Låda +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 +873,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 @@ -1587,7 +1589,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,återbetalning Metod DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Om markerad startsidan vara standardArtikelGrupp för webbplatsen DocType: Quality Inspection Reading,Reading 4,Avläsning 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},Standard BOM för {0} hittades inte för Project {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Anspråk på företagets bekostnad. 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} @@ -1604,29 +1605,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Ny uppgift apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Skapa offert apps/erpnext/erpnext/config/selling.py +216,Other Reports,andra rapporter DocType: Dependent Task,Dependent Task,Beroende Uppgift -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Omvandlingsfaktor för standardmåttenhet måste vara en i raden {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Omvandlingsfaktor för standardmåttenhet måste vara en i raden {0} 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} DocType: SMS Center,Receiver List,Mottagare Lista -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Sök Produkt +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,redan avslutat +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Kundens POS-ID DocType: Account,Account Name,Kontonamn apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Från Datum kan inte vara större än Till Datum -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} kvantitet {1} inte kan vara en fraktion +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} kvantitet {1} inte kan vara en fraktion apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverantör Typ mästare. DocType: Purchase Order Item,Supplier Part Number,Leverantör Artikelnummer apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Konverteringskurs kan inte vara 0 eller 1 @@ -1634,6 +1635,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Fordon Avgångs Datum +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Standard betalkonto apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Inställningar för webbutik som fraktregler, prislista mm" @@ -1690,7 +1692,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Inkludera semester DocType: Sales Invoice,Packed Items,Packade artiklar apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantianspråk mot serienummer DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Ersätt en viss BOM i alla andra strukturlistor där det används. Det kommer att ersätta den gamla BOM länken, uppdatera kostnader och regenerera ""BOM Punkter"" tabellen som per nya BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Total' DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivera Varukorgen DocType: Employee,Permanent Address,Permanent Adress apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1726,6 +1728,7 @@ 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! DocType: Course Assessment Criteria,Weightage,Vikt +DocType: Sales 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" @@ -1745,7 +1748,7 @@ 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 +699,Offline,Off-line +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1762,7 +1765,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Huvud apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant DocType: Naming Series,Set prefix for numbering series on your transactions,Ställ prefix för nummerserie på dina transaktioner DocType: Employee Attendance Tool,Employees HTML,Anställda HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall 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 @@ -1775,7 +1778,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 +175,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 +173,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 @@ -1785,7 +1788,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppsstyrkan apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal anteckning {0} inte har någon matchat {1} inlägg apps/erpnext/erpnext/config/hr.py +137,Appraisals,bedömningar -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicera Löpnummer upp till punkt {0} +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" @@ -1794,7 +1797,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} måste lämnas in +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Betalning @@ -1813,12 +1816,12 @@ 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 +257,"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 +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." 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: Asset Movement,Asset Movement,Asset Rörelse -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ny vagn +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -1844,7 +1847,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hämta objekt från kvitton DocType: Serial No,Creation Date,Skapelsedagen apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Punkt {0} visas flera gånger i prislista {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Försäljnings måste kontrolleras, i förekommande fall för väljs som {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Försäljnings måste kontrolleras, i förekommande fall för väljs som {0}" DocType: Production Plan Material Request,Material Request Date,Material Request Datum DocType: Purchase Order Item,Supplier Quotation Item,Leverantör offert Punkt DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Inaktiverar skapandet av tids stockar mot produktionsorder. Verksamheten får inte spåras mot produktionsorder @@ -1861,12 +1864,12 @@ DocType: Supplier,Supplier of Goods or Services.,Leverantör av varor eller tjä DocType: Budget,Fiscal Year,Räkenskapsår DocType: Vehicle Log,Fuel Price,bränsle~~POS=TRUNC Pris DocType: Budget,Budget,Budget -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fast Asset Objektet måste vara en icke-lagervara. +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 +209,e.g. 5,t.ex. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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. @@ -1875,7 +1878,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,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 +263,A Product or Service,En produkt eller tjänst +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -1949,7 +1952,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Par +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Par apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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 @@ -1968,10 +1971,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdatum (via Tidrapportering) 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 +160,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 +342,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto +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 DocType: Shipping Rule Condition,Shipping Amount,Fraktbelopp -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Lägg till kunder +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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 @@ -1988,6 +1991,7 @@ DocType: Journal Entry,Accounts Receivable,Kundreskontra ,Supplier-Wise Sales Analytics,Leverantör-Wise Sales Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Ange utbetalda beloppet DocType: Salary Structure,Select employees for current Salary Structure,Välj anställda för nuvarande lönestruktur +DocType: Sales Invoice,Company Address Name,Företagets adressnamn DocType: Production Order,Use Multi-Level BOM,Använd Multi-Level BOM DocType: Bank Reconciliation,Include Reconciled Entries,Inkludera avstämnignsanteckningar 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) @@ -2008,7 +2012,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 +269,Unit,Enhet +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -2030,7 +2034,7 @@ 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/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 +1004,"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" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. DocType: Stock Reconciliation Item,Amount Difference,mängd Skillnad @@ -2039,7 +2043,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Klassificering av kunder per region apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Skillnad Belopp måste vara noll DocType: Project,Gross Margin,Bruttomarginal -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Ange Produktionsartikel först +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 +748,Quotation,Offert @@ -2051,7 +2055,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Kund / Huvudadress -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varning: Ogiltig SSL-certifikat på fäst {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Varning: Ogiltig SSL-certifikat på fäst {0} DocType: Student Admission,Eligibility,Behörighet apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads hjälpa dig att få verksamheten, lägga till alla dina kontakter och mer som dina leder" DocType: Production Order Operation,Actual Operation Time,Faktisk driftstid @@ -2070,11 +2074,11 @@ DocType: Appraisal,Calculate Total Score,Beräkna Totalsumma DocType: Request for Quotation,Manufacturing Manager,Tillverkningsansvarig apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Löpnummer {0} är under garanti upp till {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split följesedel i paket. -apps/erpnext/erpnext/hooks.py +87,Shipments,Transporter +apps/erpnext/erpnext/hooks.py +94,Shipments,Transporter DocType: Payment Entry,Total Allocated Amount (Company Currency),Sammanlagda anslaget (Company valuta) DocType: Purchase Order Item,To be delivered to customer,Som skall levereras till kund DocType: BOM,Scrap Material Cost,Skrot Material Kostnad -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Löpnummer {0} inte tillhör någon Warehouse +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Löpnummer {0} inte tillhör någon Warehouse DocType: Purchase Invoice,In Words (Company Currency),I ord (Företagsvaluta) DocType: Asset,Supplier,Leverantör DocType: C-Form,Quarter,Kvartal @@ -2089,11 +2093,10 @@ DocType: Leave Application,Total Leave Days,Totalt semesterdagar DocType: Email Digest,Note: Email will not be sent to disabled users,Obs: E-post kommer inte att skickas till inaktiverade användare apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antal interaktioner apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antal interaktioner -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke 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 +408,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2137,7 +2140,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,Räkningen Detalj -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Välj rätt konto +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLIKAT FÖR LEVERANTÖR +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Välj rätt konto DocType: Item,Weight UOM,Vikt UOM DocType: Salary Structure Employee,Salary Structure Employee,Lönestruktur anställd DocType: Employee,Blood Group,Blodgrupp @@ -2159,7 +2163,7 @@ DocType: Student,Guardians,Guardians 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 +336,Debit To is required,Debitering krävs +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2172,7 +2176,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Totalt Obetalda: { DocType: BOM Website Operation,BOM Website Operation,BOM Webbplats Operation apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Erbjudande Brev apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generera Material Begäran (GMB) och produktionsorder. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Sammanlagt fakturerat Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Sammanlagt fakturerat Amt DocType: BOM,Conversion Rate,Omvandlingsfrekvens apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Sök produkt DocType: Timesheet Detail,To Time,Till Time @@ -2187,7 +2191,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Utbildning Händelse anställd -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummer krävs för punkt {1}. Du har gett {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummer krävs för punkt {1}. Du har gett {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Nuvarande värderingensomsättning DocType: Item,Customer Item Codes,Kund artikelnummer apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange vinst / förlust @@ -2235,7 +2239,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 +2454,Select Batch No,Välj batchnummer +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2259,19 +2263,19 @@ DocType: Leave Block List,Allow Users,Tillåt användare DocType: Purchase Order,Customer Mobile No,Kund Mobil nr DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Spåra separat intäkter och kostnader för produkt vertikaler eller divisioner. DocType: Rename Tool,Rename Tool,Ändrings Verktyget -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Uppdatera Kostnad +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 +438,Show Salary Slip,Visa lönebesked apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,Ställ återkommande efter att ha sparat -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Välj förändringsbelopp konto +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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 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 +200,Add Taxes,Lägg till skatter +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 @@ -2282,6 +2286,7 @@ DocType: Stock Entry,Purchase Receipt No,Inköpskvitto Nr apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Handpenning DocType: Process Payroll,Create Salary Slip,Skapa lönebeskedet apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,spårbarhet +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC-kod 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 @@ -2311,7 +2316,7 @@ DocType: Employee Education,Post Graduate,Betygsinlägg DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Underhållsschema Detalj DocType: Quality Inspection Reading,Reading 9,Avläsning 9 DocType: Supplier,Is Frozen,Är Frozen -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Grupp nod lager är inte tillåtet att välja för transaktioner +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Grupp nod lager är inte tillåtet att välja för transaktioner DocType: Buying Settings,Buying Settings,Köpinställningar DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM nr för ett Färdigt objekt DocType: Upload Attendance,Attendance To Date,Närvaro Till Datum @@ -2327,13 +2332,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,You can not change rate if BOM mentioned agianst any item,Du kan inte ändra kurs om BOM nämnts mot någon artikel +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ange planerad Antal till punkt {0} vid rad {1} @@ -2355,7 +2360,7 @@ DocType: Authorization Rule,Authorized Value,Auktoriserad Värde DocType: BOM,Show Operations,Visa Operations ,Minutes to First Response for Opportunity,Minuter till First Response för Opportunity apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Totalt Frånvarande -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Produkt eller Lager för rad {0} matchar inte Materialförfrågan +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Produkt eller Lager för rad {0} matchar inte Materialförfrågan apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Måttenhet DocType: Fiscal Year,Year End Date,År Slutdatum DocType: Task Depends On,Task Depends On,Uppgift Beror på @@ -2427,7 +2432,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 +106,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 +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/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 @@ -2525,9 +2530,9 @@ 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 +789,"LocalStorage is full, did not save","Localstorage är full, inte spara" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,Kostnadscenter apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Rabatt # DocType: Notification Control,Purchase Order Message,Inköpsorder Meddelande @@ -2543,7 +2548,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 +1165,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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 @@ -2562,7 +2567,7 @@ DocType: Project,Task Completion,uppgift Slutförande apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Inte i lager DocType: Appraisal,HR User,HR-Konto DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter och avgifter Avdragen -apps/erpnext/erpnext/hooks.py +116,Issues,Frågor +apps/erpnext/erpnext/hooks.py +124,Issues,Frågor apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status måste vara en av {0} DocType: Sales Invoice,Debit To,Debitering DocType: Delivery Note,Required only for sample item.,Krävs endast för provobjekt. @@ -2591,6 +2596,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Territorium apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Ange antal besökare (krävs) DocType: Stock Settings,Default Valuation Method,Standardvärderingsmetod +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Avgift DocType: Vehicle Log,Fuel Qty,bränsle Antal DocType: Production Order Operation,Planned Start Time,Planerad starttid DocType: Course,Assessment,Värdering @@ -2600,12 +2606,12 @@ 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 +149,Quotation {0} is cancelled,Offert {0} avbryts -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Totala utestående beloppet +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alla försäljningstransaktioner kan märkas mot flera ** säljare ** så att du kan ställa in och övervaka mål. ,S.O. No.,SÅ Nej -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Skapa Kunden från Prospekt {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Skapa Kunden från Prospekt {0} DocType: Price List,Applicable for Countries,Gäller Länder apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Endast Lämna applikationer med status 'Godkänd' och 'Avvisad' kan lämnas in apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Student gruppnamn är obligatorisk i rad {0} @@ -2643,6 +2649,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/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 @@ -2685,8 +2692,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer för Ti 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.,Rabatt Procent kan appliceras antingen mot en prislista eller för alla prislistor. DocType: Purchase Invoice,Half-yearly,Halvårs apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Kontering för lager +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Du har redan bedömt för bedömningskriterierna {}. DocType: Vehicle Service,Engine Oil,Motorolja -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Var vänlig uppsättning Anställningsnamnssystem i mänsklig resurs> HR-inställningar DocType: Sales Invoice,Sales Team1,Försäljnings Team1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Punkt {0} inte existerar DocType: Sales Invoice,Customer Address,Kundadress @@ -2714,7 +2721,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk person / Dotterbolag med en separat kontoplan som tillhör organisationen. DocType: Payment Request,Mute Email,Mute E apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Mat, dryck och tobak" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Provisionshastighet kan inte vara större än 100 DocType: Stock Entry,Subcontract,Subkontrakt apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ange {0} först @@ -2742,7 +2749,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Monthly Närvaro Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Anställd {0} har redan ansökt om {1} mellan {2} och {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekt Startdatum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Tills +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Tills DocType: Rename Tool,Rename Log,Ändra logg apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentgrupp eller kursplan är obligatorisk apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Studentgrupp eller kursplan är obligatorisk @@ -2767,7 +2774,7 @@ DocType: Purchase Order Item,Returned Qty,Återvände Antal DocType: Employee,Exit,Utgång apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type är obligatorisk DocType: BOM,Total Cost(Company Currency),Totalkostnad (Company valuta) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Löpnummer {0} skapades +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Löpnummer {0} skapades DocType: Homepage,Company Description for website homepage,Beskrivning av företaget för webbplats hemsida DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","För att underlätta för kunderna, kan dessa koder användas i utskriftsformat som fakturor och följesedlar" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Namn @@ -2788,7 +2795,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway webbadress apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurs Scheman utgå: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Loggar för att upprätthålla sms leveransstatus DocType: Accounts Settings,Make Payment via Journal Entry,Gör betalning via Journal Entry -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Tryckt på +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Tryckt på DocType: Item,Inspection Required before Delivery,Inspektion krävs innan leverans DocType: Item,Inspection Required before Purchase,Inspektion krävs innan köp apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Väntande Verksamhet @@ -2820,9 +2827,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elev Batch apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,gräns Korsade apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Tilldelningskapital 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 termin med detta "Academic Year '{0} och" Term Name "{1} finns redan. Ändra dessa poster och försök igen. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Eftersom det finns transaktioner mot produkten {0} så kan du inte ändra värdet av {1} +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}",Eftersom det finns transaktioner mot produkten {0} så kan du inte ändra värdet av {1} DocType: UOM,Must be Whole Number,Måste vara heltal DocType: Leave Control Panel,New Leaves Allocated (In Days),Nya Ledigheter Tilldelade (i dagar) +DocType: Sales Invoice,Invoice Copy,Faktura kopia apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serienummer {0} inte existerar DocType: Sales Invoice Item,Customer Warehouse (Optional),Kund Warehouse (tillval) DocType: Pricing Rule,Discount Percentage,Rabatt Procent @@ -2868,8 +2876,10 @@ DocType: Support Settings,Auto close Issue after 7 days,Stäng automatiskt Probl 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 +305,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 DocType: Stock Settings,Freeze Stock Entries,Frys Lager Inlägg +DocType: Program Enrollment,Boarding Student,Boarding Student DocType: Asset,Expected Value After Useful Life,Förväntat värde eller återanvändas DocType: Item,Reorder level based on Warehouse,Beställningsnivå baserat på Warehouse DocType: Activity Cost,Billing Rate,Faktureringsfrekvens @@ -2897,11 +2907,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Välj studenter manuellt för aktivitetsbaserad grupp DocType: Journal Entry,User Remark,Användar Anmärkning DocType: Lead,Market Segment,Marknadssegment -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Utbetalda beloppet kan inte vara större än den totala negativa utestående beloppet {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Utbetalda beloppet kan inte vara större än den totala negativa utestående beloppet {0} DocType: Employee Internal Work History,Employee Internal Work History,Anställd interna arbetshistoria apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Closing (Dr) DocType: Cheque Print Template,Cheque Size,Check Storlek -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Löpnummer {0} inte i lager +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Löpnummer {0} inte i lager apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Skatte mall för att sälja transaktioner. DocType: Sales Invoice,Write Off Outstanding Amount,Avskrivning utestående belopp apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} matchar inte företaget {1} @@ -2926,7 +2936,7 @@ 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 +348,Add a few sample records,Lägg till några exempeldokument +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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 @@ -2940,17 +2950,17 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Löpnummer och Batch DocType: Warranty Claim,From Company,Från Företag -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summan av Mängder av bedömningskriterier måste vara {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Summan av Mängder av bedömningskriterier måste vara {0}. 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 +270,Minute,Minut +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -2971,7 +2981,7 @@ DocType: Production Order,PRO-,PROFFS- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Checkräknings konto apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Skapa lönebeskedet apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rad # {0}: Tilldelad mängd kan inte vara större än utestående belopp. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Bläddra BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Bläddra BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Säkrade lån DocType: Purchase Invoice,Edit Posting Date and Time,Redigera Publiceringsdatum och tid apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ställ Avskrivningar relaterade konton i tillgångsslag {0} eller Company {1} @@ -2987,7 +2997,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 +278,Select Quantity,Välj antal +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3010,6 +3020,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Ej tillåtet att uppdatera lagertransaktioner äldre än {0} DocType: Purchase Invoice Item,PR Detail,PR Detalj DocType: Sales Order,Fully Billed,Fullt fakturerad +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverantör> Leverantörstyp 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 +127,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) @@ -3048,8 +3059,9 @@ DocType: Project,Total Costing Amount (via Time Logs),Totalt kalkyl Belopp (via 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 DocType: Customs Tariff Number,Tariff Number,tariff Number +DocType: Production Order Item,Available Qty at WIP Warehouse,Tillgänglig mängd vid WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projicerad -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serienummer {0} tillhör inte Lager {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Serienummer {0} tillhör inte Lager {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,Obs: Systemet kommer inte att kontrollera över leverans och överbokning till punkt {0} då kvantitet eller belopp är 0 DocType: Notification Control,Quotation Message,Offert Meddelande DocType: Employee Loan,Employee Loan Application,Employee låneansökan @@ -3068,13 +3080,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landad Kostnad rabattmängd apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Räkningar som framförts av leverantörer. DocType: POS Profile,Write Off Account,Avskrivningskonto -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debitnotifikation Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Debitnotifikation Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabattbelopp DocType: Purchase Invoice,Return Against Purchase Invoice,Återgå mot inköpsfaktura 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 +207,e.g. VAT,t.ex. moms +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3082,7 +3094,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 +1945,Please select customer,Välj kund +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3111,7 +3123,7 @@ DocType: Lead,Address Desc,Adress fallande apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party är obligatoriskt DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ämnet Namn -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Minst en av de sålda eller köpta måste väljas +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Minst en av de sålda eller köpta måste väljas apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Välj typ av ditt företag. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rad # {0}: Duplikat post i referenser {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Där tillverkningsprocesser genomförs. @@ -3120,7 +3132,7 @@ 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} 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 +50,Min Qty can not be greater than Max Qty,Min Antal kan inte vara större än Max Antal +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 DocType: Account,Accumulated Depreciation,Ackumulerade avskrivningar DocType: Stock Entry,Customer or Supplier Details,Kund eller leverantör Detaljer DocType: Employee Loan Application,Required by Date,Krävs Datum @@ -3149,10 +3161,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Inköpsorder apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Företagsnamn kan inte vara företag apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Brevhuvuden för utskriftsmallar. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titlar för utskriftsmallar t.ex. Proforma faktura. +DocType: Program Enrollment,Walking,Gående DocType: Student Guardian,Student Guardian,Student Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Värderingsavgifter kan inte markerats som inklusive DocType: POS Profile,Update Stock,Uppdatera lager -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverantör> Leverantörstyp apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Olika UOM för produkter kommer att leda till felaktiga (Total) Nettovikts värden. Se till att Nettovikt för varje post är i samma UOM. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM betyg DocType: Asset,Journal Entry for Scrap,Journal Entry för skrot @@ -3206,7 +3218,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Visa skatte uppbrott apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3226,14 +3237,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Standard Konto apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Företag (inte kund eller leverantör) ledare. 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 +176,No Students in,Inga studenter i +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 +108,Please enter 'Expected Delivery Date',Ange "Förväntat leveransdatum" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,Ogiltig GSTIN eller Ange NA för oregistrerad +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3274,23 @@ DocType: Sales Team,Contribution (%),Bidrag (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Obs: Betalningpost kommer inte skapas eftersom ""Kontanter eller bankkonto"" angavs inte" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Ansvarsområden DocType: Expense Claim Account,Expense Claim Account,Räkningen konto +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: Sales Person,Sales Person Name,Försäljnings Person Namn apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ange minst 1 faktura i tabellen +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Lägg till användare DocType: POS Item Group,Item Group,Produkt Grupp DocType: Item,Safety Stock,Säkerhetslager apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Framsteg% för en uppgift kan inte vara mer än 100. DocType: Stock Reconciliation Item,Before reconciliation,Innan avstämning apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Till {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter och avgifter Added (Company valuta) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Produkt Skatte Rad {0} måste ha typen Skatt eller intäkt eller kostnad eller Avgiftsbelagd +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Produkt Skatte Rad {0} måste ha typen Skatt eller intäkt eller kostnad eller Avgiftsbelagd DocType: Sales Order,Partly Billed,Delvis Faktuerard apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Punkt {0} måste vara en fast tillgångspost DocType: Item,Default BOM,Standard BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debiteringsnotering Belopp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Debiteringsnotering Belopp apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vänligen ange företagsnamn igen för att bekräfta -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totalt Utestående Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totalt Utestående Amt DocType: Journal Entry,Printing Settings,Utskriftsinställningar DocType: Sales Invoice,Include Payment (POS),Inkluderar Betalning (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Totalt Betal måste vara lika med de sammanlagda kredit. Skillnaden är {0} @@ -3285,20 +3298,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Fordon DocType: Vehicle,Insurance Company,Försäkringsbolag DocType: Asset Category Account,Fixed Asset Account,Fast tillgångskonto apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabel -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Från Följesedel +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Från Följesedel DocType: Student,Student Email Address,Student E-postadress DocType: Timesheet Detail,From Time,Från Tid apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,I lager: DocType: Notification Control,Custom Message,Anpassat Meddelande apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto är obligatoriskt för utbetalningensposten -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 Inställningar> Numreringsserie apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadress apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadress 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 +1517,Address Name,Adressnamn +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3315,7 +3327,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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 @@ -3323,7 +3335,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Ange värde måste vara positiv +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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. @@ -3332,7 +3344,7 @@ DocType: Process Payroll,Process Payroll,Process Lön apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Det finns mer semester än arbetsdagar denna månad. DocType: Product Bundle Item,Product Bundle Item,Produktpaket Punkt DocType: Sales Partner,Sales Partner Name,Försäljnings Partner Namn -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Begäran om Citat +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Begäran om Citat DocType: Payment Reconciliation,Maximum Invoice Amount,Maximal Fakturabelopp DocType: Student Language,Student Language,Student Språk apps/erpnext/erpnext/config/selling.py +23,Customers,kunder @@ -3343,7 +3355,7 @@ DocType: Asset,Partially Depreciated,delvis avskrivna DocType: Issue,Opening Time,Öppnings Tid apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Från och Till datum krävs apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Värdepapper och råvarubörserna -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}" +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 +847,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka @@ -3361,7 +3373,7 @@ 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 +266,Raw Material,Råmaterial +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3373,7 +3385,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Öppningsdatum ska vara innan Slutdatum -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: 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. @@ -3386,8 +3397,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Serial Nos krävs för Serialiserad Punkt {0} +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/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 DocType: Journal Entry,Bank Entry,Bank anteckning DocType: Authorization Rule,Applicable To (Designation),Är tillämpligt för (Destination) @@ -3404,7 +3415,7 @@ 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 +270,Hour,Timme +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3414,7 +3425,7 @@ 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 +645,Point of Sale,Butiksförsäljning +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3431,8 +3442,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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. @@ -3458,14 +3469,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 +465,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 +466,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 +834,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 +835,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 @@ -3497,7 +3508,7 @@ 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 +436,Warehouse required for stock Item {0},Lager krävs för Lagervara {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Faktureringsstaten @@ -3545,7 +3556,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Inställningar för webbplats hemsida 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 +214,Invalid attribute {0} {1},Ogiltig attribut {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Var god välj bedömningsgruppen annan än "Alla bedömningsgrupper" @@ -3647,16 +3658,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,lönedelar DocType: Program Enrollment Tool,New Academic Year,Nytt läsår apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retur / kreditnota DocType: Stock Settings,Auto insert Price List rate if missing,Diskinmatning Prislista ränta om saknas -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Sammanlagda belopp som betalats +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Sammanlagda belopp som betalats DocType: Production Order Item,Transferred Qty,Överfört Antal apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigera apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planering 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 +272,We sell this Item,Vi säljer detta objekt +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -3704,7 +3717,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 +1186,Please set Company,Vänligen ange företaget +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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å @@ -3721,13 +3734,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,ta ut avgifter DocType: Attendance,ATT-,attrak- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Streckkod {0} används redan i punkt {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Streckkod {0} används redan i punkt {1} DocType: Lead,Add to calendar on this date,Lägg till i kalender på denna dag apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler för att lägga fraktkostnader. DocType: Item,Opening Stock,ingående lager apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunden är obligatoriskt apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} är obligatorisk för Retur DocType: Purchase Order,To Receive,Att Motta +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Personligt E-post apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Totalt Varians DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Om det är aktiverat, kommer systemet att skicka bokföringsposter för inventering automatiskt." @@ -3738,7 +3752,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 +541,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 +542,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 @@ -3746,7 +3760,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,Ingen garanti DocType: BOM Replace Tool,Replace,Ersätt apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Inga produkter hittades. -DocType: Production Order,Unstopped,icke stoppad apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} mot faktura {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Projektnamn @@ -3757,6 +3770,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} 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 @@ -3794,9 +3808,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Från räckvidd apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Syntax error i formel eller tillstånd: {0} DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Det dagliga arbetet Sammanfattning Inställningar Company -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Punkt {0} ignoreras eftersom det inte är en lagervara +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 +40,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 +102,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 @@ -3804,12 +3818,14 @@ 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 +209,Rate (%),Andel (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Vänligen ange Företagets filter tomt om Group By är "Company" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Publiceringsdatum kan inte vara framtida tidpunkt apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Rad # {0}: Löpnummer {1} inte stämmer överens med {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Tillfällig ledighet @@ -3838,7 +3854,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Lager Ledger Entry apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Kontoinställningar apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Godkänna DocType: Customer,Sales Partner and Commission,Försäljningen Partner och kommissionen @@ -3853,7 +3869,7 @@ 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 +62,{0} items produced,{0} objekt producerade +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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å @@ -3867,7 +3883,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),Totalkostnadskrav (via utg 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} DocType: Journal Entry Account,Exchange Rate,Växelkurs -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3892,18 +3908,18 @@ 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 +705,Online,Uppkopplad +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Inlämnade order kan inte tas bort +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/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 DocType: Employee Loan,Repay Fixed Amount per Period,Återbetala fast belopp per period apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vänligen ange antal förpackningar för artikel {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditnot Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kreditnot Amt DocType: Employee External Work History,Employee External Work History,Anställd Extern Arbetserfarenhet DocType: Tax Rule,Purchase,Inköp apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balans Antal @@ -3929,7 +3945,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 +2383,Select items to save the invoice,Välj objekt för att spara fakturan +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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 @@ -3958,6 +3974,7 @@ DocType: Guardian,Guardian Of ,väktare DocType: Grading Scale Interval,Threshold,Tröskel DocType: BOM Replace Tool,Current BOM,Aktuell BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Lägg till Serienr +DocType: Production Order Item,Available Qty at Source Warehouse,Tillgänglig kvantitet vid källlagret apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Debetnota utfärdad DocType: Production Order,Warehouses,Lager @@ -3973,13 +3990,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Betald Summa apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektledare ,Quoted Item Comparison,Citerade föremål Jämförelse apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Skicka -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max rabatt tillåtet för objektet: {0} är {1}% +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 +279,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 +879,Select Items to Manufacture,Välj produkter i Tillverkning -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"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 @@ -4003,7 +4020,7 @@ DocType: POS Profile,Terms and Conditions,Villkor 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 +200,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 +198,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 @@ -4023,7 +4040,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","För att ställa denna verksamhetsåret som standard, klicka på "Ange som standard"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Ansluta sig apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Brist Antal -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut DocType: Employee Loan,Repay from Salary,Repay från Lön DocType: Leave Application,LAP/,KNÄ/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Begärande betalning mot {0} {1} för mängden {2} @@ -4041,18 +4058,18 @@ 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 +1011,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Serienummer {0} redan har mottagits +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Serienummer {0} redan har mottagits ,Requested Items To Be Transferred,Efterfrågade artiklar som ska överföras 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 +1312,Delete permanently?,Ta bort permanent? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Ogiltigt {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ogiltigt {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sjukskriven DocType: Email Digest,Email Digest,E-postutskick DocType: Delivery Note,Billing Address Name,Faktureringsadress Namn @@ -4065,6 +4082,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Avgift DocType: Company,Change Abbreviation,Ändra Förkortning DocType: Expense Claim Detail,Expense Date,Utgiftsdatum +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke DocType: Item,Max Discount (%),Max rabatt (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Sista beställningsmängd DocType: Task,Is Milestone,Är Milestone @@ -4088,8 +4106,8 @@ DocType: Program Enrollment Tool,New Program,nytt program DocType: Item Attribute Value,Attribute Value,Attribut Värde ,Itemwise Recommended Reorder Level,Produktvis Rekommenderad Ombeställningsnivå DocType: Salary Detail,Salary Detail,lön Detalj -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Välj {0} först -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} av Punkt {1} har löpt ut. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Välj {0} först +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Batch {0} av Punkt {1} har löpt ut. DocType: Sales Invoice,Commission,Kommissionen apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidrapportering för tillverkning. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Delsumma @@ -4114,12 +4132,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 +399,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 +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/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 +387,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 +382,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 @@ -4149,7 +4167,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,bortskaffande Datum DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-post kommer att skickas till alla aktiva anställda i bolaget vid en given timme, om de inte har semester. Sammanfattning av svaren kommer att sändas vid midnatt." DocType: Employee Leave Approver,Employee Leave Approver,Anställd Lämna godkännare -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Det går inte att ange som förlorad, eftersom Offert har gjorts." 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 @@ -4182,6 +4200,7 @@ DocType: Announcement,Student,Elev apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Organisation enhet (avdelnings) ledare. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ange giltiga mobil nos apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ange meddelandet innan du skickar +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,DUPLICERA FÖR LEVERANTÖR DocType: Email Digest,Pending Quotations,avvaktan Citat apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Butikförsäljnings profil apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Uppdatera SMS Inställningar @@ -4190,7 +4209,7 @@ DocType: Cost Center,Cost Center Name,Kostnadcenter Namn DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Max arbetstid mot tidrapport DocType: Maintenance Schedule Detail,Scheduled Date,Planerat datum -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totalt betalade Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Totalt betalade Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Meddelanden som är större än 160 tecken delas in i flera meddelanden DocType: Purchase Receipt Item,Received and Accepted,Mottagit och godkänt ,GST Itemised Sales Register,GST Artized Sales Register @@ -4200,7 +4219,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 +237,Your Suppliers,Dina Leverantörer +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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" @@ -4212,7 +4231,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}",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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Bild {0} fäst till punkt {1} kan inte hittas +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. @@ -4227,7 +4246,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Vad gör den apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Till Warehouse apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alla Student Antagning ,Average Commission Rate,Genomsnittligt commisionbetyg -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Har Löpnummer" kan inte vara "ja" för icke Beställningsvara +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"Har Löpnummer" kan inte vara "ja" för icke Beställningsvara apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Närvaro kan inte markeras för framtida datum DocType: Pricing Rule,Pricing Rule Help,Prissättning Regel Hjälp DocType: School House,House Name,Hus-namn @@ -4243,7 +4262,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 +339,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 +340,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 @@ -4258,20 +4277,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Lönebesked av personal {0} redan skapats för tidrapporten {1} DocType: Vehicle Log,Odometer,Vägmätare DocType: Sales Order Item,Ordered Qty,Beställde Antal -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Punkt {0} är inaktiverad +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 +874,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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generera lönebesked -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Köp måste anges, i förekommande fall väljs som {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Köp måste anges, i förekommande fall väljs som {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabatt måste vara mindre än 100 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 +500,Default BOM for {0} not found,Standard BOM för {0} hittades inte -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Landad Kostnad rabatt @@ -4334,7 +4353,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Förväntat datum kan inte vara före datum för materialbegäran DocType: Purchase Invoice Item,Stock Qty,Lager Antal DocType: Purchase Invoice Item,Stock Qty,Lager Antal -DocType: Production Order,Source Warehouse (for reserving Items),Källa Warehouse (för att reservera varor) DocType: Employee Loan,Repayment Period in Months,Återbetalning i månader apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fel: Inte ett giltigt id? DocType: Naming Series,Update Series Number,Uppdatera Serie Nummer @@ -4383,7 +4401,7 @@ DocType: Production Order,Planned End Date,Planerat Slutdatum apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Där artiklar lagras. DocType: Request for Quotation,Supplier Detail,leverantör Detalj apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Fel i formel eller ett tillstånd: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Fakturerade belopp +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Fakturerade belopp DocType: Attendance,Attendance,Närvaro apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,lager DocType: BOM,Materials,Material @@ -4424,10 +4442,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Setup en enkel hemsida för min organisation +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0} DocType: Item,Default Warehouse,Standard Lager apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kan inte tilldelas mot gruppkonto {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ange huvud kostnadsställe @@ -4489,7 +4507,7 @@ 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 +1344,Select or add new customer,Välj eller lägga till en ny kund +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/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 @@ -4497,6 +4515,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Var vänlig uppsättning Anställningsnamnssystem i mänsklig resurs> HR-inställningar 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 +231,{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. @@ -4519,7 +4538,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, 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 +1637,Price List not found or disabled,Prislista hittades inte eller avaktiverad +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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""" @@ -4539,7 +4558,7 @@ DocType: POS Profile,Account for Change Amount,Konto för förändring Belopp apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / konto stämmer inte med {1} / {2} i {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ange utgiftskonto DocType: Account,Stock,Lager -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av inköpsorder, inköpsfaktura eller journalanteckning" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av inköpsorder, inköpsfaktura eller journalanteckning" DocType: Employee,Current Address,Nuvarande Adress DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Om artikeln är en variant av ett annat objekt kommer beskrivning, bild, prissättning, skatter etc att ställas från mallen om inte annat uttryckligen anges" DocType: Serial No,Purchase / Manufacture Details,Inköp / Tillverknings Detaljer @@ -4578,11 +4597,12 @@ DocType: Student,Home Address,Hemadress apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,överföring av tillgångar DocType: POS Profile,POS Profile,POS-Profil DocType: Training Event,Event Name,Händelsenamn -apps/erpnext/erpnext/config/schools.py +39,Admission,Tillträde +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Tillträde apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Antagning för {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc." apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Punkt {0} är en mall, välj en av dess varianter" DocType: Asset,Asset Category,tillgångsslag +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Inköparen apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettolön kan inte vara negativ DocType: SMS Settings,Static Parameters,Statiska Parametrar DocType: Assessment Plan,Room,Rum @@ -4591,6 +4611,7 @@ DocType: Item,Item Tax,Produkt Skatt apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material till leverantören apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium DocType: Expense Claim,Employees Email Id,Anställdas E-post Id DocType: Employee Attendance Tool,Marked Attendance,Marked Närvaro apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Nuvarande Åtaganden @@ -4662,6 +4683,7 @@ DocType: Leave Type,Is Carry Forward,Är Överförd apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,lager Sammanfattning diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv index d63df62100..0274a0068c 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","நிறுத்தி உற்பத்தி ஆணை ரத்து செய்ய முடியாது, ரத்து செய்ய முதலில் அதை தடை இல்லாத" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,இயல்புநிலை சப்ளையர் தேர்வு @@ -73,7 +73,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1} +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 +808,Invoice,விலைப்பட்டியல் DocType: Maintenance Schedule Item,Periodicity,வட்டம் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,நிதியாண்டு {0} தேவையான @@ -90,7 +90,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,முன்னேற்றம் வேலை apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,தேதியைத் தேர்ந்தெடுக்கவும் DocType: Employee,Holiday List,விடுமுறை பட்டியல் -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,கணக்கர் +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,கணக்கர் DocType: Cost Center,Stock User,பங்கு பயனர் DocType: Company,Phone No,இல்லை போன் apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,நிச்சயமாக அட்டவணை உருவாக்கப்பட்ட: @@ -111,7 +111,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 +269,Kg,கிலோ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,கிலோ DocType: Student Log,Log,புகுபதிகை apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ஒரு வேலை திறப்பு. DocType: Item Attribute,Increment,சம்பள உயர்வு @@ -121,7 +121,7 @@ apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Sam DocType: Employee,Married,திருமணம் apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},அனுமதி இல்லை {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,இருந்து பொருட்களை பெற -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +132,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 +1673,Not items found,பொருட்களை காணவில்லை +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,விற்பனை விலைப்பட்டியல் பொருள் @@ -143,9 +143,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,பங்கு அறி DocType: Warehouse,Warehouse Detail,சேமிப்பு கிடங்கு விரிவாக apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},கடன் எல்லை வாடிக்கையாளர் கடந்து {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""நிலையான சொத்து உள்ளது" சொத்து சாதனை உருப்படியை எதிராக உள்ளது என, நீக்கம் செய்ய முடியாது" +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/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,"ஒரு வாடிக்கையாளர் , அதே பெயரில்" @@ -161,7 +162,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},இருந்து {0} {1} DocType: Item,Copy From Item Group,பொருள் குழு நகல் DocType: Journal Entry,Opening Entry,திறப்பு நுழைவு -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,கணக்கு சம்பளம் DocType: Employee Loan,Repay Over Number of Periods,திருப்பி பாடவேளைகள் ஓவர் எண் DocType: Stock Entry,Additional Costs,கூடுதல் செலவுகள் @@ -179,7 +179,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,வீடு -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,கணக்கு அறிக்கை +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,மருந்துப்பொருள்கள் DocType: Purchase Invoice Item,Is Fixed Asset,நிலையான சொத்து உள்ளது apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","கிடைக்கும் தரமான {0}, உங்களுக்கு தேவையான {1}" @@ -187,7 +187,7 @@ 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/public/js/setup_wizard.js +266,Consumable,நுகர்வோர் +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Consumable,நுகர்வோர் DocType: Employee,B-,பி- DocType: Upload Attendance,Import Log,புகுபதிகை இறக்குமதி DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,மேலே அளவுகோல்களை அடிப்படையாக வகை உற்பத்தி பொருள் வேண்டுகோள் இழுக்க @@ -213,13 +213,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 +143,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,உதாரணம்: அடிப்படை கணிதம் +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/config/hr.py +214,Settings for HR Module,அலுவலக தொகுதி அமைப்புகள் DocType: SMS Center,SMS Center,எஸ்எம்எஸ் மையம் @@ -237,6 +237,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,பொருட்கள் மற்றும் விலை apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},மொத்த மணிநேரம் {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},வரம்பு தேதி நிதியாண்டு க்குள் இருக்க வேண்டும். தேதி அனுமானம் = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,மேற்கோள்கள் DocType: Customer,Individual,தனிப்பட்ட DocType: Interest,Academics User,கல்வியாளர்கள் பயனர் DocType: Cheque Print Template,Amount In Figure,படம் தொகை @@ -267,7 +268,7 @@ DocType: Employee,Create User,பயனர் உருவாக்கவும DocType: Selling Settings,Default Territory,இயல்புநிலை பிரதேசம் apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,தொலை காட்சி DocType: Production Order Operation,Updated via 'Time Log','டைம் பரிசீலனை' வழியாக புதுப்பிக்கப்பட்டது -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1} DocType: Naming Series,Series List for this Transaction,இந்த பரிவர்த்தனை தொடர் பட்டியல் DocType: Company,Enable Perpetual Inventory,இடைவிடாத சரக்கு இயக்கு DocType: Company,Default Payroll Payable Account,இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு @@ -275,7 +276,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 +177,For Warehouse is required before Submit,கிடங்கு தேவையாக முன் சமர்ப்பிக்க +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +284,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 +2256,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,பெயர் தொடர்பு +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,13 +304,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும் 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 +189,Warehouse {0} does not belong to company {1},கிடங்கு {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 +270,Litre,லிட்டர் +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,தடுக்கப்பட்ட விட்டு -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,வங்கி பதிவுகள் apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,வருடாந்திர DocType: Stock Reconciliation Item,Stock Reconciliation Item,பங்கு நல்லிணக்க பொருள் @@ -317,7 +318,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 +316,People who teach at your organisation,உங்கள் நிறுவனத்தில் உள்ள கற்பிக்க மக்கள் +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 +329,7 @@ DocType: POS Profile,Allow user to edit Rate,மதிப்பீடு தி DocType: Item,Publish in Hub,மையம் உள்ள வெளியிடு DocType: Student Admission,Student Admission,மாணவர் சேர்க்கை ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,பொருள் {0} ரத்து +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,பொருள் {0} ரத்து apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,பொருள் கோரிக்கை DocType: Bank Reconciliation,Update Clearance Date,இசைவு தேதி புதுப்பிக்க DocType: Item,Purchase Details,கொள்முதல் விவரம் @@ -369,7 +370,7 @@ DocType: Vehicle,Fleet Manager,கடற்படை மேலாளர் apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,வட்ட குறிப்பு பிழை @@ -387,7 +388,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,நீங்கள் அதை இழுத்து பின்னர் கொடுப்பனவு நுழைவு மாற்றப்பட்டுள்ளது. மீண்டும் அதை இழுக்க கொள்ளவும். -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,இந்த வாரம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம் DocType: Student Applicant,Admitted,ஒப்பு DocType: Workstation,Rent Cost,வாடகை செலவு @@ -421,7 +422,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% பெறப்பட்டது apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,மாணவர் குழுக்கள் உருவாக்க apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,அமைப்பு ஏற்கனவே முடிந்து ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,கடன் குறிப்பு தொகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,கடன் குறிப்பு தொகை ,Finished Goods,முடிக்கப்பட்ட பொருட்கள் DocType: Delivery Note,Instructions,அறிவுறுத்தல்கள் DocType: Quality Inspection,Inspected By,மூலம் ஆய்வு @@ -449,8 +450,9 @@ 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 +1456,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு அமைப்பு வழியாக வருகை தொடரின் எண்ணிக்கையில்> எண் தொடர் apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,கொள்முதல் ஆணைகள் உருவாக்க ,Purchase Register,பதிவு வாங்குவதற்கு DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -475,7 +477,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 கையேட்டை வாசிக்க @@ -496,7 +498,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,அனைத்து உற்பத்தி செயல்முறைகள் உலக அமைப்புகள். DocType: Accounts Settings,Accounts Frozen Upto,உறைந்த வரை கணக்குகள் DocType: SMS Log,Sent On,அன்று அனுப்பப்பட்டது -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,கற்பிதம் {0} காரணிகள் அட்டவணை பல முறை தேர்வு +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,கற்பிதம் {0} காரணிகள் அட்டவணை பல முறை தேர்வு DocType: HR Settings,Employee record is created using selected field. ,பணியாளர் பதிவு தேர்ந்தெடுக்கப்பட்ட துறையில் பயன்படுத்தி உருவாக்கப்பட்டது. DocType: Sales Order,Not Applicable,பொருந்தாது apps/erpnext/erpnext/config/hr.py +70,Holiday master.,விடுமுறை மாஸ்டர் . @@ -532,7 +534,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 +219,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","கணக்கு மூலம் தொகுக்கப்பட்டுள்ளது என்றால் , கணக்கு அடிப்படையில் வடிகட்ட முடியாது" @@ -547,7 +549,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,பொருள் கோரிக்கை எழுப்பப்படும் எந்த கிடங்கு உள்ளிடவும் DocType: Production Order,Additional Operating Cost,கூடுதல் இயக்க செலவு apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,ஒப்பனை -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்" DocType: Shipping Rule,Net Weight,நிகர எடை DocType: Employee,Emergency Phone,அவசர தொலைபேசி apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,வாங்க @@ -557,7 +559,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 +2428,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,நிர்வாக உப ஒப்பந்தமிடல் @@ -576,7 +578,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,வரிகள் மற்றும் கட்டணங்கள் சேர்க்க / திருத்தவும் DocType: Purchase Invoice,Supplier Invoice No,வழங்குபவர் விலைப்பட்டியல் இல்லை DocType: Territory,For reference,குறிப்பிற்கு -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","நீக்க முடியாது தொ.எ. {0}, அது பங்கு பரிவர்த்தனைகள் பயன்படுத்தப்படும் விதத்தில்" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","நீக்க முடியாது தொ.எ. {0}, அது பங்கு பரிவர்த்தனைகள் பயன்படுத்தப்படும் விதத்தில்" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),நிறைவு (CR) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,உருப்படியை DocType: Serial No,Warranty Period (Days),உத்தரவாதத்தை காலம் (நாட்கள்) @@ -597,7 +599,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,முதல் நிறுவனம் மற்றும் கட்சி வகை தேர்ந்தெடுக்கவும் apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,நிதி / கணக்கு ஆண்டு . apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,திரட்டப்பட்ட கலாச்சாரம் -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,விற்பனை ஆணை செய்ய DocType: Project Task,Project Task,திட்ட பணி ,Lead Id,முன்னணி ஐடி @@ -617,6 +619,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,நிர்ணயி apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,விற்பனை Return 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,குறிப்பு: மொத்த ஒதுக்கீடு இலைகள் {0} ஏற்கனவே ஒப்புதல் இலைகள் குறைவாக இருக்க கூடாது {1} காலம் +,Total Stock Summary,மொத்த பங்கு சுருக்கம் DocType: Announcement,Posted By,பதிவிட்டவர் DocType: Item,Delivered by Supplier (Drop Ship),சப்ளையர் மூலம் வழங்கப்படுகிறது (டிராப் கப்பல்) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,வாடிக்கையாளர்கள் பற்றிய தகவல். @@ -625,7 +628,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,வாடிக் DocType: Quotation,Quotation To,என்று மேற்கோள் DocType: Lead,Middle Income,நடுத்தர வருமானம் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),திறப்பு (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"நீங்கள் ஏற்கனவே மற்றொரு UOM சில பரிவர்த்தனை (ங்கள்) செய்துவிட்டேன் ஏனெனில் பொருள் நடவடிக்கையாக, இயல்புநிலை பிரிவு {0} நேரடியாக மாற்ற முடியாது. நீங்கள் வேறு ஒரு இயல்புநிலை UOM பயன்படுத்த ஒரு புதிய பொருள் உருவாக்க வேண்டும்." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"நீங்கள் ஏற்கனவே மற்றொரு UOM சில பரிவர்த்தனை (ங்கள்) செய்துவிட்டேன் ஏனெனில் பொருள் நடவடிக்கையாக, இயல்புநிலை பிரிவு {0} நேரடியாக மாற்ற முடியாது. நீங்கள் வேறு ஒரு இயல்புநிலை UOM பயன்படுத்த ஒரு புதிய பொருள் உருவாக்க வேண்டும்." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறை இருக்க முடியாது apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,நிறுவனத்தின் அமைக்கவும் apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,நிறுவனத்தின் அமைக்கவும் @@ -647,6 +650,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,முதுநிலை DocType: Assessment Plan,Maximum Assessment Score,அதிகபட்ச மதிப்பீடு மதிப்பெண் apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,புதுப்பிக்கப்பட்டது வங்கி பரிவர்த்தனை தினங்கள் apps/erpnext/erpnext/config/projects.py +30,Time Tracking,நேரம் கண்காணிப்பு +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,டிரான்ஸ்போர்ட்டருக்கான DUPLICATE DocType: Fiscal Year Company,Fiscal Year Company,நிதியாண்டு நிறுவனத்தின் DocType: Packing Slip Item,DN Detail,DN விரிவாக DocType: Training Event,Conference,மாநாடு @@ -687,8 +691,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 +320,Timesheet created:,டைம் ஷீட் உருவாக்கப்பட்ட: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,பதிவுசெய்யவும் DocType: GST Settings,GST Settings,ஜிஎஸ்டி அமைப்புகள் DocType: Selling Settings,Customer Naming By,மூலம் பெயரிடுதல் வாடிக்கையாளர் @@ -717,7 +721,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 +139,Finish,முடிந்தது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,முடிந்தது apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,அடித்தளம் DocType: Timesheet,Total Billed Hours,மொத்த பில் மணி DocType: Journal Entry,Write Off Amount,மொத்த தொகை இனிய எழுத @@ -752,7 +756,7 @@ DocType: Hub Settings,Seller City,விற்பனையாளர் நகர ,Absent Student Report,இல்லாத மாணவர் அறிக்கை DocType: Email Digest,Next email will be sent on:,அடுத்த மின்னஞ்சலில் அனுப்பி வைக்கப்படும்: DocType: Offer Letter Term,Offer Letter Term,கடிதம் கால சலுகை -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,பொருள் வகைகள் உண்டு. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,பொருள் வகைகள் உண்டு. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,பொருள் {0} இல்லை DocType: Bin,Stock Value,பங்கு மதிப்பு apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,நிறுவனத்தின் {0} இல்லை @@ -799,12 +803,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","பல விலை விதிகள் அளவுகோல் கொண்டு உள்ளது, முன்னுரிமை ஒதுக்க மூலம் மோதலை தீர்க்க தயவு செய்து. விலை விதிகள்: {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 கள் தொடர்பு உள்ளது என 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 +48,Make Timesheet,டைம் ஷீட் செய்ய +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -862,13 +866,13 @@ 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,குடும்ப பின்னணி DocType: Request for Quotation Supplier,Send Email,மின்னஞ்சல் அனுப்ப -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},எச்சரிக்கை: தவறான இணைப்பு {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,அனுமதி இல்லை +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},எச்சரிக்கை: தவறான இணைப்பு {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,அனுமதி இல்லை 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 +269,Nos,இலக்கங்கள் +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} சமர்ப்பிக்க வேண்டும் @@ -887,7 +891,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 +274,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,குவிக்கப்பட்ட தேய்மானம் திறந்து @@ -975,14 +979,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} ரத்து -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},தொடர் இல {0} பொருள் அல்ல {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},தொடர் இல {0} பொருள் அல்ல {1} DocType: Purchase Receipt Item Supplied,Required Qty,தேவையான அளவு apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது. DocType: Bank Reconciliation,Total Amount,மொத்த தொகை @@ -1000,7 +1004,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,கூறுகள் apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},தயவு செய்து பொருள் உள்ள சொத்து வகை நுழைய {0} DocType: Quality Inspection Reading,Reading 6,6 படித்தல் -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,இல்லை {0} {1} {2} இல்லாமல் எந்த எதிர்மறை நிலுவையில் விலைப்பட்டியல் Can +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,இல்லை {0} {1} {2} இல்லாமல் எந்த எதிர்மறை நிலுவையில் விலைப்பட்டியல் Can 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} @@ -1014,12 +1018,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 +731,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல் +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள் +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள் DocType: Payment Request,Paid,Paid DocType: Program Fee,Program Fee,திட்டம் கட்டணம் DocType: Salary Slip,Total in words,வார்த்தைகளில் மொத்த @@ -1052,10 +1056,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,இரசாயன DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,இந்த முறையில் தேர்ந்தெடுக்கப்பட்ட போது இயல்புநிலை வங்கி / பண கணக்கு தானாக சம்பளம் ஜர்னல் நுழைவு புதுப்பிக்கப்படும். DocType: BOM,Raw Material Cost(Company Currency),மூலப்பொருட்களின் விலை (நிறுவனத்தின் நாணய) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,அனைத்து பொருட்களும் ஏற்கனவே இந்த உத்தரவு க்கு மாற்றப்பட்டது. +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 +270,Meter,மீட்டர் +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,மீட்டர் DocType: Workstation,Electricity Cost,மின்சார செலவு DocType: HR Settings,Don't send Employee Birthday Reminders,பணியாளர் நினைவூட்டல்கள் அனுப்ப வேண்டாம் DocType: Item,Inspection Criteria,ஆய்வு வரையறைகள் @@ -1078,7 +1082,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 +452,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +1090,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 +259,Qty for {0},ஐந்து அளவு {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,பிளாக் பட்டியல் தினங்கள் விட்டு @@ -1098,9 +1102,9 @@ DocType: Purchase Invoice,Cash/Bank Account,பண / வங்கி கணக apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},தயவு செய்து குறிப்பிட ஒரு {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,அளவு அல்லது மதிப்பு எந்த மாற்றமும் நீக்கப்பட்ட விடயங்கள். DocType: Delivery Note,Delivery To,வழங்கும் -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,கற்பிதம் அட்டவணையின் கட்டாயமாகும் +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,கற்பிதம் அட்டவணையின் கட்டாயமாகும் DocType: Production Planning Tool,Get Sales Orders,விற்பனை ஆணைகள் கிடைக்கும் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} எதிர்மறை இருக்க முடியாது +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} எதிர்மறை இருக்க முடியாது apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,தள்ளுபடி DocType: Asset,Total Number of Depreciations,Depreciations எண்ணிக்கை DocType: Sales Invoice Item,Rate With Margin,மார்ஜின் உடன் விகிதம் @@ -1137,7 +1141,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 +1546,ZIP Code,ஜிப் குறியீடு +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,பங்கு பதிவுகள் செய்தல் @@ -1156,7 +1160,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் . +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),குறைந்தபட்ச முன்னணி வயது (நாட்கள்) @@ -1181,7 +1185,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,பகிர்கருவி DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,வண்டியில் கப்பல் விதி apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,உத்தரவு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும் -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',அமைக்க மேலும் கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும் 'தயவு செய்து +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,ரேஞ்ச் குறைவாக இருக்க வேண்டும் இருந்து விட வரையறைக்கு DocType: Global Defaults,Global Defaults,உலக இயல்புநிலைகளுக்கு @@ -1189,10 +1193,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN முதல் 2 இலக்கங்கள் மாநில எண் பொருந்த வேண்டும் {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,கொள்ளளவு திட்டமிடுதல் பிழை +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,கொள்ளளவு திட்டமிடுதல் பிழை ,Trial Balance for Party,கட்சி சோதனை இருப்பு DocType: Lead,Consultant,பிறர் அறிவுரை வேண்டுபவர் DocType: Salary Slip,Earnings,வருவாய் @@ -1211,7 +1215,7 @@ DocType: Purchase Invoice,Is Return,திரும்ப apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,திரும்ப / டெபிட் குறிப்பு DocType: Price List Country,Price List Country,விலை பட்டியல் நாடு DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},பொருட்களை {0} செல்லுபடியாகும் தொடர் இலக்கங்கள் {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},பொருட்களை {0} செல்லுபடியாகும் தொடர் இலக்கங்கள் {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,பொருள் குறியீடு வரிசை எண் மாற்றப்பட கூடாது apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},பிஓஎஸ் சுயவிவரம் {0} ஏற்கனவே பயனர் உருவாக்கப்பட்டது: {1} நிறுவனத்தின் {2} DocType: Sales Invoice Item,UOM Conversion Factor,மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி @@ -1221,7 +1225,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 +675,Cost Center For Item with Item Code ','பொருள் கோட் பொருள் சென்டர் செலவாகும் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","மேலும் கணக்குகளை குழுக்கள் கீழ் செய்யப்பட்ட, ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்" @@ -1264,7 +1268,7 @@ 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,காட்சி லெட்ஜர் DocType: Grading Scale,Intervals,இடைவெளிகள் apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,முந்தைய -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,பொருள் {0} பணி முடியாது @@ -1293,7 +1297,7 @@ 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 +288,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை DocType: Purchase Invoice,Rejected Warehouse,நிராகரிக்கப்பட்டது கிடங்கு DocType: GL Entry,Against Voucher,வவுச்சர் எதிராக DocType: Item,Default Buying Cost Center,இயல்புநிலை வாங்குதல் செலவு மையம் @@ -1304,7 +1308,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,விற்பனை ஆணை {0} தவறானது +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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,14 +1326,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,இந்த இடத்தில் apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ஒப்பந்த DocType: Email Digest,Add Quote,ஆனால் சேர்க்கவும் -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1} 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 +736,Sync Master Data,ஒத்திசைவு முதன்மை தரவு -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் +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,உங்கள் தயாரிப்புகள் அல்லது சேவைகள் DocType: Mode of Payment,Mode of Payment,கட்டணம் செலுத்தும் முறை -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும் +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும் DocType: Student Applicant,AP,ஆந்திர DocType: Purchase Invoice Item,BOM,பொருட்களின் அளவுக்கான ரசீது(BOM) apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,இந்த ஒரு ரூட் உருப்படியை குழு மற்றும் திருத்த முடியாது . @@ -1347,14 +1351,13 @@ 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 +562,Delivery Note {0} is not submitted,விநியோக குறிப்பு {0} சமர்ப்பிக்கவில்லை +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","விலை விதி முதல் பொருள், பொருள் பிரிவு அல்லது பிராண்ட் முடியும், துறையில் 'விண்ணப்பிக்க' அடிப்படையில் தேர்வு செய்யப்படுகிறது." 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 இருக்க வேண்டும் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},உற்பத்தி ஒழுங்கு நிலை ஆகிறது {0} DocType: Appraisal Goal,Goal,இலக்கு DocType: Sales Invoice Item,Edit Description,விளக்கம் திருத்த ,Team Updates,குழு மேம்படுத்தல்கள் @@ -1370,14 +1373,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,குழந்தை கிடங்கில் இந்த களஞ்சியசாலை உள்ளது. நீங்கள் இந்த களஞ்சியசாலை நீக்க முடியாது. DocType: Item,Website Item Groups,இணைய தகவல்கள் குழுக்கள் DocType: Purchase Invoice,Total (Company Currency),மொத்த (நிறுவனத்தின் நாணயம்) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட +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 +78,{0} items in progress,{0} முன்னேற்றம் பொருட்களை +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,இந்த முன்னொட்டு கடந்த உருவாக்கப்பட்ட பரிவர்த்தனை எண்ணிக்கை @@ -1437,7 +1440,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,பூட்ஸ்ட்ராப் 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,7 +1452,7 @@ 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 +260,Max: {0},அதிகபட்சம்: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,தொடர்பாடல் பதிவு. @@ -1460,7 +1462,7 @@ DocType: Sales Invoice,Shipping Address Name,ஷிப்பிங் முக apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,கணக்கு விளக்கப்படம் DocType: Material Request,Terms and Conditions Content,நிபந்தனைகள் உள்ளடக்கம் apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 க்கும் அதிகமாக இருக்க முடியாது -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,பொருள் {0} ஒரு பங்கு பொருள் அல்ல +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,பொருள் {0} ஒரு பங்கு பொருள் அல்ல DocType: Maintenance Visit,Unscheduled,திட்டமிடப்படாத DocType: Employee,Owned,சொந்தமானது DocType: Salary Detail,Depends on Leave Without Pay,சம்பளமில்லா விடுப்பு பொறுத்தது @@ -1492,7 +1494,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 +273,We buy this Item,நாம் இந்த பொருள் வாங்க +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,மூடப்படாத நிதி ஆண்டில் பி & எல் நிலுவைகளை காட்டு @@ -1503,7 +1505,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 +266,Sub Assemblies,துணை சபைகளின் +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,துணை சபைகளின் DocType: Asset,Asset Name,சொத்து பெயர் DocType: Project,Task Weight,டாஸ்க் எடை DocType: Shipping Rule Condition,To Value,மதிப்பு @@ -1536,12 +1538,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,மூல 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 +239,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும் +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும் apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,கொடுப்பனவு அட்டவணை காணப்படவில்லை பதிவுகள் apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},இந்த {0} கொண்டு மோதல்கள் {1} க்கான {2} {3} DocType: Student Attendance Tool,Students HTML,"மாணவர்கள், HTML" DocType: POS Profile,Apply Discount,தள்ளுபடி விண்ணப்பிக்க -DocType: Purchase Invoice Item,GST HSN Code,ஜிஎஸ்டி HSN குறியீடு +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 +283,Packing Slip(s) cancelled,மூட்டை சீட்டு (கள்) ரத்து @@ -1585,8 +1587,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 +2573,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,பெட்டி +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 +873,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,"ரிசீவர் பட்டியல் காலியாக உள்ளது . பெறுநர் பட்டியலை உருவாக்க , தயவு செய்து" @@ -1616,7 +1618,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,திரும்பச் செலுத்துதல் முறை DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","தேர்ந்தெடுக்கப்பட்டால், முகப்பு பக்கம் வலைத்தளத்தில் இயல்புநிலை பொருள் குழு இருக்கும்" DocType: Quality Inspection Reading,Reading 4,4 படித்தல் -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} திட்ட காணப்படவில்லை இல்லை இயல்புநிலை BOM {1} 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} @@ -1633,29 +1634,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,புதிய apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,மேற்கோள் செய்ய apps/erpnext/erpnext/config/selling.py +216,Other Reports,பிற அறிக்கைகள் DocType: Dependent Task,Dependent Task,தங்கிவாழும் பணி -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},நடவடிக்கை இயல்புநிலை பிரிவு மாற்ற காரணி வரிசையில் 1 வேண்டும் {0} +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.,முன்கூட்டியே எக்ஸ் நாட்கள் நடவடிக்கைகளுக்குத் திட்டமிட்டுள்ளது முயற்சி. 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} DocType: SMS Center,Receiver List,ரிசீவர் பட்டியல் -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,தேடல் பொருள் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ஏற்கனவே நிறைவு +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/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 +263,Quantity must not be more than {0},அளவு அதிகமாக இருக்க கூடாது {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,வாடிக்கையாளர் பிஓஎஸ் ஐடியை DocType: Account,Account Name,கணக்கு பெயர் apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,தேதி முதல் இன்று வரை விட முடியாது -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,தொடர் இல {0} அளவு {1} ஒரு பகுதியை இருக்க முடியாது +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,தொடர் இல {0} அளவு {1} ஒரு பகுதியை இருக்க முடியாது apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,வழங்குபவர் வகை மாஸ்டர் . 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 இருக்க முடியாது @@ -1663,6 +1664,7 @@ 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: Delivery Note,Vehicle Dispatch Date,வாகன அனுப்புகை தேதி +DocType: Purchase Order Item,HSN/SAC,HSN / எஸ்ஏசி apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்க DocType: Company,Default Payable Account,இயல்புநிலை செலுத்த வேண்டிய கணக்கு apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","அத்தகைய கப்பல் விதிகள், விலை பட்டியல் முதலியன போன்ற ஆன்லைன் வணிக வண்டி அமைப்புகள்" @@ -1718,7 +1720,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,இலைகள் DocType: Sales Invoice,Packed Items,நிரம்பிய பொருட்கள் apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,வரிசை எண் எதிரான உத்தரவாதத்தை கூறுகின்றனர் DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","பயன்படுத்தப்படும் அமைந்துள்ள மற்ற அனைத்து BOM கள் ஒரு குறிப்பிட்ட BOM மாற்றவும். ஏனெனில், அது BOM இணைப்பு பதிலாக செலவு மேம்படுத்தல் மற்றும் புதிய BOM படி ""BOM வெடிப்பு பொருள்"" அட்டவணை மீண்டும் உருவாக்க வேண்டும்" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','மொத்தம்' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','மொத்தம்' DocType: Shopping Cart Settings,Enable Shopping Cart,வண்டியில் இயக்கு DocType: Employee,Permanent Address,நிரந்தர முகவரி apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1754,6 +1756,7 @@ DocType: Material Request,Transferred,மாற்றப்பட்டது DocType: Vehicle,Doors,கதவுகள் apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க @@ -1773,7 +1776,7 @@ 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 +699,Offline,ஆஃப்லைன் +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,ஒரு வேலை விண்ணப்பதாரர் @@ -1790,7 +1793,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,முதன் apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,மாற்று DocType: Naming Series,Set prefix for numbering series on your transactions,உங்கள் நடவடிக்கைகள் மீது தொடர் எண்ணுவதற்கான முன்னொட்டு அமைக்க DocType: Employee Attendance Tool,Employees HTML,"ஊழியர், HTML" -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்" +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்" DocType: Employee,Leave Encashed?,காசாக்கப்பட்டால் விட்டு? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,துறையில் இருந்து வாய்ப்பு கட்டாய ஆகிறது DocType: Email Digest,Annual Expenses,வருடாந்த செலவுகள் @@ -1803,7 +1806,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 +175,Work-in-Progress Warehouse is required before Submit,"வேலை, முன்னேற்றம் கிடங்கு சமர்ப்பிக்க முன் தேவை" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,7 +1815,7 @@ DocType: Item,Serial Nos and Batches,சீரியல் எண்கள் apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,மாணவர் குழு வலிமை apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ஜர்னல் எதிராக நுழைவு {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை apps/erpnext/erpnext/config/hr.py +137,Appraisals,மதிப்பீடுகளில் -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},நகல் சீரியல் இல்லை உருப்படி உள்ளிட்ட {0} +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}. அமைப்புகள் வாங்குவதில் அதிகமாக பில்லிங் அனுமதிக்க, அமைக்கவும்" @@ -1821,7 +1824,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும் +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,கொடுப்பனவு @@ -1840,12 +1843,12 @@ 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 +257,"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 +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.",உங்கள் தயாரிப்புகள் அல்லது நீங்கள் வாங்க அல்லது விற்க என்று சேவைகள் பட்டியலில் . 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: Asset Movement,Asset Movement,சொத்து இயக்கம் -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,புதிய வண்டி +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,வீல்ஸ் @@ -1871,7 +1874,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,கொள்முதல் ரசீதுகள் இருந்து விடயங்கள் பெறவும் DocType: Serial No,Creation Date,உருவாக்கிய தேதி apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},பொருள் {0} விலை பட்டியல் பல முறை தோன்றும் {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் விற்பனை, சரிபார்க்கப்பட வேண்டும் {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் விற்பனை, சரிபார்க்கப்பட வேண்டும் {0}" DocType: Production Plan Material Request,Material Request Date,பொருள் வேண்டுகோள் தேதி DocType: Purchase Order Item,Supplier Quotation Item,வழங்குபவர் மேற்கோள் பொருள் DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,உற்பத்தி ஆணைகள் எதிராக நேரத்தில் பதிவுகள் உருவாக்கம் முடக்குகிறது. ஆபரேஷன்ஸ் உற்பத்தி ஒழுங்குக்கு எதிரான கண்காணிக்கப்படும் @@ -1888,12 +1891,12 @@ DocType: Supplier,Supplier of Goods or Services.,பொருட்கள் DocType: Budget,Fiscal Year,நிதியாண்டு DocType: Vehicle Log,Fuel Price,எரிபொருள் விலை DocType: Budget,Budget,வரவு செலவு திட்டம் -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,நிலையான சொத்து பொருள் அல்லாத பங்கு உருப்படியை இருக்க வேண்டும். +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 +209,e.g. 5,எ.கா. 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1905,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 +263,A Product or Service,ஒரு பொருள் அல்லது சேவை +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,தற்போதைய மதிப்பு @@ -1977,7 +1980,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,இணை +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,இணை apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும் DocType: Asset,Depreciation Schedule,தேய்மானம் அட்டவணை apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,விற்பனை பார்ட்னர் முகவரிகள் மற்றும் தொடர்புகள் @@ -1996,11 +1999,11 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},"பொருள் குழு குறிப்பிடப்படவில்லை +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 +342,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +343,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும் DocType: Shipping Rule Condition,Shipping Amount,கப்பல் தொகை -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,வாடிக்கையாளர்கள் சேர் +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,வழங்கினார் @@ -2017,6 +2020,7 @@ DocType: Journal Entry,Accounts Receivable,கணக்குகள் ,Supplier-Wise Sales Analytics,வழங்குபவர் - தம்பதியினர் அனலிட்டிக்ஸ் apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,செலுத்திய தொகை உள்ளிடவும் DocType: Salary Structure,Select employees for current Salary Structure,தற்போதைய சம்பளம் அமைப்பு தேர்ந்தெடுக்கவும் ஊழியர்கள் +DocType: Sales Invoice,Company Address Name,நிறுவன முகவரி பெயர் 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)",பெற்றோர் கோர்ஸ் (காலியாக விடவும் இந்த பெற்றோர் கோர்ஸ் பகுதியாக இல்லை என்றால்) @@ -2037,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 +269,Unit,அலகு +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2063,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை விற்பனை ஆணை ஒன்று, விற்பனை விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: நேரம் இருந்து மற்றும் நேரம் கட்டாயமாகும். DocType: Stock Reconciliation Item,Amount Difference,தொகை வேறுபாடு @@ -2068,7 +2072,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,பிராந்தியம் மூலம் வாடிக்கையாளர்கள் பிரிவுகள் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,வேறுபாடு தொகை பூஜ்ஜியமாக இருக்க வேண்டும் DocType: Project,Gross Margin,மொத்த அளவு -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,முதல் உற்பத்தி பொருள் உள்ளிடவும் +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 +748,Quotation,மேற்கோள் @@ -2080,7 +2084,7 @@ 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: Opportunity,Customer / Lead Address,வாடிக்கையாளர் / முன்னணி முகவரி -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},எச்சரிக்கை: இணைப்பு தவறான SSL சான்றிதழ் {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},எச்சரிக்கை: இணைப்பு தவறான SSL சான்றிதழ் {0} DocType: Student Admission,Eligibility,தகுதி apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",தடங்கள் நீங்கள் வணிக உங்கள் தடங்கள் போன்ற உங்கள் தொடர்புகள் மற்றும் மேலும் சேர்க்க உதவ DocType: Production Order Operation,Actual Operation Time,உண்மையான நடவடிக்கையை நேரம் @@ -2099,11 +2103,11 @@ DocType: Appraisal,Calculate Total Score,மொத்த மதிப்ப DocType: Request for Quotation,Manufacturing Manager,தயாரிப்பு மேலாளர் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},தொடர் இல {0} வரை உத்தரவாதத்தை கீழ் உள்ளது {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,தொகுப்புகளை கொண்டு டெலிவரி குறிப்பு பிரிந்தது. -apps/erpnext/erpnext/hooks.py +87,Shipments,படுவதற்கு +apps/erpnext/erpnext/hooks.py +94,Shipments,படுவதற்கு DocType: Payment Entry,Total Allocated Amount (Company Currency),மொத்த ஒதுக்கப்பட்ட தொகை (நிறுவனத்தின் நாணய) DocType: Purchase Order Item,To be delivered to customer,வாடிக்கையாளர் வழங்க வேண்டும் DocType: BOM,Scrap Material Cost,குப்பை பொருள் செலவு -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,தொ.எ. {0} எந்த கிடங்கு சொந்தம் இல்லை +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,தொ.எ. {0} எந்த கிடங்கு சொந்தம் இல்லை DocType: Purchase Invoice,In Words (Company Currency),சொற்கள் (நிறுவனத்தின் நாணய) DocType: Asset,Supplier,கொடுப்பவர் DocType: C-Form,Quarter,காலாண்டு @@ -2118,11 +2122,10 @@ DocType: Leave Application,Total Leave Days,மொத்த விடுப DocType: Email Digest,Note: Email will not be sent to disabled users,குறிப்பு: மின்னஞ்சல் ஊனமுற்ற செய்த அனுப்ப முடியாது apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,பரஸ்பர எண்ணிக்கை apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,பரஸ்பர எண்ணிக்கை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் 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 +408,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","குறைந்தது ஒரு வரிசையில் ஒதுக்கப்பட்டுள்ள தொகை, விலைப்பட்டியல் வகை மற்றும் விலைப்பட்டியல் எண் தேர்ந்தெடுக்கவும்" @@ -2166,7 +2169,8 @@ 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,தலைமை நிர்வாக அதிகாரி DocType: Expense Claim Detail,Expense Claim Detail,செலவு கோரிக்கை விவரம் -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,சரியான கணக்கில் தேர்ந்தெடுக்கவும் +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,வினியோகஸ்தரின் மும்மடங்கான +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,சரியான கணக்கில் தேர்ந்தெடுக்கவும் DocType: Item,Weight UOM,எடை மொறட்டுவ பல்கலைகழகம் DocType: Salary Structure Employee,Salary Structure Employee,சம்பளம் அமைப்பு பணியாளர் DocType: Employee,Blood Group,குருதி பகுப்பினம் @@ -2188,7 +2192,7 @@ DocType: Student,Guardians,பாதுகாவலர்கள் 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 +336,Debit To is required,பற்று தேவைப்படுகிறது +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,சலுகை கால @@ -2201,7 +2205,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},மொத்த DocType: BOM Website Operation,BOM Website Operation,BOM இணையத்தளம் ஆபரேஷன் apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,சலுகை கடிதம் apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,பொருள் கோரிக்கைகள் (எம்ஆர்பி) மற்றும் உற்பத்தி ஆணைகள் உருவாக்க. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,மொத்த விலை விவரம் விவரங்கள் +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,மொத்த விலை விவரம் விவரங்கள் DocType: BOM,Conversion Rate,மாற்றம் விகிதம் apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,தயாரிப்பு தேடல் DocType: Timesheet Detail,To Time,டைம் @@ -2216,7 +2220,7 @@ 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} பங்கு நுழைவு பங்கு நல்லிணக்க பயன்படுத்தி, பயன்படுத்தவும் புதுப்பிக்க முடியாது" DocType: Training Event Employee,Training Event Employee,பயிற்சி நிகழ்வு பணியாளர் -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} பொருள் தேவையான சீரியல் எண்கள் {1}. நீங்கள் வழங்கிய {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} பொருள் தேவையான சீரியல் எண்கள் {1}. நீங்கள் வழங்கிய {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,தற்போதைய மதிப்பீட்டு விகிதம் DocType: Item,Customer Item Codes,வாடிக்கையாளர் பொருள் குறியீடுகள் apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,செலாவணி லாபம் / நஷ்டம் @@ -2265,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 +2454,Select Batch No,தொகுதி தேர்வு இல்லை +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,முன்கூட்டியே தொகை @@ -2289,19 +2293,19 @@ DocType: Leave Block List,Allow Users,பயனர்கள் அனுமத DocType: Purchase Order,Customer Mobile No,வாடிக்கையாளர் கைப்பேசி எண் DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,தனி வருமான கண்காணிக்க மற்றும் தயாரிப்பு மேம்பாடுகளையும் அல்லது பிளவுகள் செலவுக். DocType: Rename Tool,Rename Tool,கருவி மறுபெயரிடு -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,மேம்படுத்தல் +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 +438,Show Salary Slip,சம்பளம் ஷோ ஸ்லிப் apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,வரிகளை சேர்க்க +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,6 +2316,7 @@ DocType: Stock Entry,Purchase Receipt No,இல்லை சீட்டு வ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,அக்கறையுடனான பணத்தை DocType: Process Payroll,Create Salary Slip,சம்பளம் சீட்டு உருவாக்க apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,கண்டறிதல் +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / எஸ்ஏசி குறியீடு 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,ஊழியர் @@ -2341,7 +2346,7 @@ DocType: Employee Education,Post Graduate,பட்டதாரி பதிவ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,பராமரிப்பு அட்டவணை விபரம் DocType: Quality Inspection Reading,Reading 9,9 படித்தல் DocType: Supplier,Is Frozen,உறைந்திருக்கும் -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,குழு முனை கிடங்கில் பரிமாற்றங்கள் தேர்ந்தெடுக்க அனுமதி இல்லை +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,குழு முனை கிடங்கில் பரிமாற்றங்கள் தேர்ந்தெடுக்க அனுமதி இல்லை DocType: Buying Settings,Buying Settings,அமைப்புகள் வாங்கும் DocType: Stock Entry Detail,BOM No. for a Finished Good Item,"ஒரு முடிக்கப்பட்ட நல்ல பொருளை BOM, எண்" DocType: Upload Attendance,Attendance To Date,தேதி வருகை @@ -2357,13 +2362,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது." +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது +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,அளவு apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},பொருள் திட்டமிடப்பட்டுள்ளது அளவு உள்ளிடவும் {0} வரிசையில் {1} @@ -2385,7 +2390,7 @@ DocType: Authorization Rule,Authorized Value,அங்கீகரிக்க DocType: BOM,Show Operations,ஆபரேஷன்ஸ் காட்டு ,Minutes to First Response for Opportunity,வாய்ப்பு முதல் பதில் நிமிடங்கள் apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,மொத்த இருக்காது -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,அளவிடத்தக்க அலகு DocType: Fiscal Year,Year End Date,ஆண்டு முடிவு தேதி DocType: Task Depends On,Task Depends On,பணி பொறுத்தது @@ -2477,7 +2482,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},மேலும் பொருள் தயாரிக்க முடியாது {0} விட விற்பனை ஆணை அளவு {1} +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/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,அடுத்து தொடர்பு மூலம் முன்னணி மின்னஞ்சல் முகவரி அதே இருக்க முடியாது @@ -2575,9 +2580,9 @@ 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 +789,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,குறிப் +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,குறிப் DocType: Budget,Cost Center,செலவு மையம் apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,வவுச்சர் # DocType: Notification Control,Purchase Order Message,ஆர்டர் செய்தி வாங்க @@ -2593,7 +2598,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 +1165,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும் +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும் apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,பங்கு அமைப்புகள் @@ -2612,7 +2617,7 @@ DocType: Project,Task Completion,பணி நிறைவு apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,பங்கு இல்லை DocType: Appraisal,HR User,அலுவலக பயனர் DocType: Purchase Invoice,Taxes and Charges Deducted,கழிக்கப்படும் வரி மற்றும் கட்டணங்கள் -apps/erpnext/erpnext/hooks.py +116,Issues,சிக்கல்கள் +apps/erpnext/erpnext/hooks.py +124,Issues,சிக்கல்கள் apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},நிலைமை ஒன்றாக இருக்க வேண்டும் {0} DocType: Sales Invoice,Debit To,செய்ய பற்று DocType: Delivery Note,Required only for sample item.,ஒரே மாதிரி உருப்படியை தேவைப்படுகிறது. @@ -2641,6 +2646,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,மண்டலம் apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,குறிப்பிட தயவுசெய்து தேவையான வருகைகள் எந்த DocType: Stock Settings,Default Valuation Method,முன்னிருப்பு மதிப்பீட்டு முறை +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,கட்டணம் DocType: Vehicle Log,Fuel Qty,எரிபொருள் அளவு DocType: Production Order Operation,Planned Start Time,திட்டமிட்ட தொடக்க நேரம் DocType: Course,Assessment,மதிப்பீடு @@ -2650,12 +2656,12 @@ 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 +149,Quotation {0} is cancelled,மேற்கோள் {0} ரத்து -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,மொத்த நிலுவை தொகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,மொத்த நிலுவை தொகை DocType: Sales Partner,Targets,இலக்குகள் DocType: Price List,Price List Master,விலை பட்டியல் மாஸ்டர் DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,நீங்கள் அமைக்க மற்றும் இலக்குகள் கண்காணிக்க முடியும் என்று அனைத்து விற்பனை நடவடிக்கைகள் பல ** விற்பனை நபர்கள் ** எதிரான குறித்துள்ளார். ,S.O. No.,S.O. இல்லை -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},முன்னணி இருந்து வாடிக்கையாளர் உருவாக்க தயவுசெய்து {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},முன்னணி இருந்து வாடிக்கையாளர் உருவாக்க தயவுசெய்து {0} DocType: Price List,Applicable for Countries,நாடுகள் பொருந்தும் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ஒரே நிலையை கொண்ட பயன்பாடுகள் 'நிராகரிக்கப்பட்டது' 'அனுமதிபெற்ற' மற்றும் விடவும் சமர்ப்பிக்க முடியும் apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},மாணவர் குழு பெயர் வரிசையில் கட்டாய {0} @@ -2705,6 +2711,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/config/hr.py +163,Define various loan types,பல்வேறு கடன் வகைகளில் வரையறுத்து DocType: Bin,FCFS Rate,FCFS விகிதம் DocType: Payment Reconciliation Invoice,Outstanding Amount,சிறந்த தொகை @@ -2747,8 +2754,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,உற்பத்தி 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.,தள்ளுபடி சதவீதம் விலை பட்டியலை எதிராக அல்லது அனைத்து விலை பட்டியல் ஒன்று பயன்படுத்த முடியும். DocType: Purchase Invoice,Half-yearly,அரை ஆண்டு apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,ஏற்கனவே மதிப்பீட்டிற்குத் தகுதி மதிப்பீடு செய்யப்பட்டதன் {}. DocType: Vehicle Service,Engine Oil,இயந்திர எண்ணெய் -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,அமைவு பணியாளர் மனித வள சிஸ்டம் பெயரிடுதல்> மனிதவள அமைப்புகள் 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,வாடிக்கையாளர் முகவரி @@ -2776,7 +2783,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,நிறுவனத்திற்கு சொந்தமான கணக்குகள் ஒரு தனி விளக்கப்படம் சட்ட நிறுவனம் / துணைநிறுவனத்திற்கு. DocType: Payment Request,Mute Email,முடக்கு மின்னஞ்சல் apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","உணவு , குளிர்பானங்கள் & புகையிலை" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},மட்டுமே எதிரான கட்டணம் செய்யலாம் unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},மட்டுமே எதிரான கட்டணம் செய்யலாம் unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,கமிஷன் விகிதம் அதிகமாக 100 இருக்க முடியாது DocType: Stock Entry,Subcontract,உள் ஒப்பந்தம் apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,முதல் {0} உள்ளிடவும் @@ -2804,7 +2811,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,மாணவர் மாதாந்திர வருகை தாள் apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},பணியாளர் {0} ஏற்கனவே {2} {3} இடையே {1} விண்ணப்பித்துள்ளனர் apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,திட்ட தொடக்க தேதி -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,வரை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,வரை DocType: Rename Tool,Rename Log,பதிவு மறுபெயர் apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,மாணவர் குழு அல்லது கோர்ஸ் அட்டவணை கட்டாயமாகும் DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,டைம் ஷீட் மீது அதே பில்லிங் மணி மற்றும் பணிநேரம் பராமரிக்க @@ -2828,7 +2835,7 @@ DocType: Purchase Order Item,Returned Qty,திரும்பி அளவு DocType: Employee,Exit,வெளியேறு apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ரூட் வகை கட்டாய ஆகிறது DocType: BOM,Total Cost(Company Currency),மொத்த செலவு (நிறுவனத்தின் நாணய) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,தொடர் இல {0} உருவாக்கப்பட்டது +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,தொடர் இல {0} உருவாக்கப்பட்டது DocType: Homepage,Company Description for website homepage,இணைய முகப்பு நிறுவனம் விளக்கம் DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","வாடிக்கையாளர்களின் வசதிக்காக, இந்த குறியீடுகள் பற்றுச்சீட்டுகள் மற்றும் டெலிவரி குறிப்புகள் போன்ற அச்சு வடிவங்கள் பயன்படுத்த முடியும்" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier பெயர் @@ -2849,7 +2856,7 @@ DocType: SMS Settings,SMS Gateway URL,எஸ்எம்எஸ் வாயி apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,நிச்சயமாக அட்டவணை நீக்கப்பட்டது: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,எஸ்எம்எஸ் விநியோகம் அந்தஸ்து தக்கவைப்பதற்கு பதிவுகள் DocType: Accounts Settings,Make Payment via Journal Entry,பத்திரிகை நுழைவு வழியாக பணம் செலுத்து -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,அச்சிடப்பட்டது அன்று +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,அச்சிடப்பட்டது அன்று DocType: Item,Inspection Required before Delivery,பரிசோதனை டெலிவரி முன் தேவையான DocType: Item,Inspection Required before Purchase,பரிசோதனை வாங்கும் முன் தேவையான apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,நிலுவையில் நடவடிக்கைகள் @@ -2881,9 +2888,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,மாண apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,எல்லை குறுக்கு கோடிட்ட apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,"இந்த 'கல்வி ஆண்டு' கொண்ட ஒரு கல்விசார் கால {0} மற்றும் 'கால பெயர்' {1} ஏற்கனவே உள்ளது. இந்த உள்ளீடுகளை மாற்ற, மீண்டும் முயற்சிக்கவும்." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","உருப்படியை {0} எதிராக இருக்கும் பரிமாற்றங்கள் உள்ளன, நீங்கள் மதிப்பு மாற்ற முடியாது {1}" +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}","உருப்படியை {0} எதிராக இருக்கும் பரிமாற்றங்கள் உள்ளன, நீங்கள் மதிப்பு மாற்ற முடியாது {1}" DocType: UOM,Must be Whole Number,முழு எண் இருக்க வேண்டும் DocType: Leave Control Panel,New Leaves Allocated (In Days),புதிய விடுப்பு (நாட்களில்) ஒதுக்கப்பட்ட +DocType: Sales Invoice,Invoice Copy,விலைப்பட்டியல் நகல் apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,தொடர் இல {0} இல்லை DocType: Sales Invoice Item,Customer Warehouse (Optional),வாடிக்கையாளர் கிடங்கு (விரும்பினால்) DocType: Pricing Rule,Discount Percentage,தள்ளுபடி சதவீதம் @@ -2929,8 +2937,10 @@ 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 +305,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,திரண்ட தேய்மானம் கணக்கு DocType: Stock Settings,Freeze Stock Entries,பங்கு பதிவுகள் நிறுத்தப்படலாம் +DocType: Program Enrollment,Boarding Student,போர்டிங் மாணவர் DocType: Asset,Expected Value After Useful Life,எதிர்பார்த்த மதிப்பு பயனுள்ள வாழ்க்கை பிறகு DocType: Item,Reorder level based on Warehouse,கிடங்கில் அடிப்படையில் மறுவரிசைப்படுத்துக நிலை DocType: Activity Cost,Billing Rate,பில்லிங் விகிதம் @@ -2958,11 +2968,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,நடவடிக்கை பொறுத்தே குழு கைமுறையாகச் மாணவர்கள் தேர்வு DocType: Journal Entry,User Remark,பயனர் குறிப்பு DocType: Lead,Market Segment,சந்தை பிரிவு -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},செலுத்திய தொகை மொத்த எதிர்மறை கடன் தொகையை விட அதிகமாக இருக்க முடியாது {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},செலுத்திய தொகை மொத்த எதிர்மறை கடன் தொகையை விட அதிகமாக இருக்க முடியாது {0} DocType: Employee Internal Work History,Employee Internal Work History,பணியாளர் உள் வேலை வரலாறு apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),நிறைவு (டாக்டர்) DocType: Cheque Print Template,Cheque Size,காசோலை அளவு -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,தொடர் இல {0} இல்லை பங்கு +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,தொடர் இல {0} இல்லை பங்கு apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு . DocType: Sales Invoice,Write Off Outstanding Amount,சிறந்த தொகை இனிய எழுத apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},கணக்கு {0} நிறுவனத்துடன் இணைந்தது பொருந்தவில்லை {1} @@ -2987,7 +2997,7 @@ 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 +348,Add a few sample records,ஒரு சில மாதிரி பதிவுகளை சேர்க்கவும் +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,முழுமையாக வழங்கப்படுகிறது @@ -3001,17 +3011,17 @@ 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 +418,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,வாடிக்கையாளர் கொள்முதல் ஆணை apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,தொ.எ. மற்றும் தொகுதி DocType: Warranty Claim,From Company,நிறுவனத்தின் இருந்து -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,மதிப்பீடு அடிப்படியின் மதிப்பெண்கள் கூட்டுத்தொகை {0} இருக்க வேண்டும். +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,மதிப்பீடு அடிப்படியின் மதிப்பெண்கள் கூட்டுத்தொகை {0} இருக்க வேண்டும். 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 +270,Minute,நிமிஷம் +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,நிமிஷம் DocType: Purchase Invoice,Purchase Taxes and Charges,கொள்முதல் வரி மற்றும் கட்டணங்கள் ,Qty to Receive,மதுரையில் அளவு DocType: Leave Block List,Leave Block List Allowed,அனுமதிக்கப்பட்ட பிளாக் பட்டியல் விட்டு @@ -3032,7 +3042,7 @@ DocType: Production Order,PRO-,சார்பு apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,வங்கி மிகைஎடுப்பு கணக்கு apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,சம்பள விபரம் செய்ய apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ரோ # {0}: ஒதுக்கப்பட்டவை தொகை நிலுவையில் தொகையை விட அதிகமாக இருக்க முடியாது. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,"உலவ BOM," +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,"உலவ BOM," apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,பிணை கடன்கள் DocType: Purchase Invoice,Edit Posting Date and Time,இடுகையிடுதலுக்கான தேதி மற்றும் நேரம் திருத்த apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},சொத்து வகை {0} அல்லது நிறுவனத்தின் தேய்மானம் தொடர்பான கணக்குகள் அமைக்கவும் {1} @@ -3048,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 +278,Select Quantity,தேர்வு அளவு +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,இந்த மின்னஞ்சல் டைஜஸ்ட் இருந்து விலகுவதற்காக @@ -3071,6 +3081,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},விட பங்கு பரிவர்த்தனைகள் பழைய இற்றைப்படுத்த முடியாது {0} DocType: Purchase Invoice Item,PR Detail,PR விரிவாக DocType: Sales Order,Fully Billed,முழுமையாக வசூலிக்கப்படும் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை 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 +127,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),தொகுப்பின் மொத்த எடை. பொதுவாக நிகர எடை + பேக்கேஜிங் பொருட்கள் எடை. (அச்சுக்கு) @@ -3109,8 +3120,9 @@ 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} சமர்ப்பிக்க DocType: Customs Tariff Number,Tariff Number,சுங்கத்தீர்வை எண் +DocType: Production Order Item,Available Qty at WIP Warehouse,வடிவ WIP கிடங்கு கிடைக்கும் அளவு apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,திட்டமிடப்பட்ட -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},தொடர் இல {0} கிடங்கு அல்ல {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},தொடர் இல {0} கிடங்கு அல்ல {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,"குறிப்பு: இந்த அமைப்பு பொருள் விநியோகம் , மேல் முன்பதிவு பார்க்க மாட்டேன் {0} அளவு அல்லது அளவு 0 ஆகிறது" DocType: Notification Control,Quotation Message,மேற்கோள் செய்தி DocType: Employee Loan,Employee Loan Application,பணியாளர் கடன் விண்ணப்ப @@ -3129,13 +3141,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed செலவு ரசீது தொகை apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,பில்கள் விநியோகஸ்தர்கள் எழுப்பும். DocType: POS Profile,Write Off Account,கணக்கு இனிய எழுத -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,பற்று Amt குறிப்பு +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,பற்று Amt குறிப்பு apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,தள்ளுபடி தொகை 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 +207,e.g. VAT,எ.கா. வரி +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,துணை ஒப்பந்த @@ -3143,7 +3155,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 +1945,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும் DocType: C-Form,I,நான் DocType: Company,Asset Depreciation Cost Center,சொத்து தேய்மானம் செலவு மையம் DocType: Sales Order Item,Sales Order Date,விற்பனை ஆர்டர் தேதி @@ -3172,7 +3184,7 @@ DocType: Lead,Address Desc,இறங்குமுக முகவரி apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,கட்சி அத்தியாவசியமானதாகும் DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,தலைப்பு பெயர் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்கும் குறைந்தபட்சம் ஒரு தேர்வு வேண்டும் +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்கும் குறைந்தபட்சம் ஒரு தேர்வு வேண்டும் apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,உங்கள் வணிக தன்மை தேர்ந்தெடுக்கவும். apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ரோ # {0}: ஆதாரங்கள் நுழைவதற்கான நகல் {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,உற்பத்தி இயக்கங்களை எங்கே கொண்டுவரப்படுகின்றன. @@ -3181,7 +3193,7 @@ 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} DocType: Employee,Confirmation Date,உறுதிப்படுத்தல் தேதி DocType: C-Form,Total Invoiced Amount,மொத்த விலை விவரம் தொகை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,குறைந்தபட்ச அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,குறைந்தபட்ச அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது DocType: Account,Accumulated Depreciation,திரட்டப்பட்ட தேய்மானம் DocType: Stock Entry,Customer or Supplier Details,வாடிக்கையாளருக்கு அல்லது விபரங்கள் DocType: Employee Loan Application,Required by Date,டேட் தேவையான @@ -3210,10 +3222,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,கொள apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,நிறுவனத்தின் பெயர் நிறுவனத்தின் இருக்க முடியாது apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,அச்சு வார்ப்புருக்கள் தலைமை பெயர். apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"அச்சு வார்ப்புருக்கள் தலைப்புகள் , எ.கா. செய்யறதுன்னு ." +DocType: Program Enrollment,Walking,வாக்கிங் DocType: Student Guardian,Student Guardian,மாணவர் கார்டியன் apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,மதிப்பீட்டு வகை குற்றச்சாட்டுக்கள் உள்ளீடான என குறிக்கப்பட்டுள்ளன DocType: POS Profile,Update Stock,பங்கு புதுப்பிக்க -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,பொருட்களை பல்வேறு மொறட்டுவ பல்கலைகழகம் தவறான ( மொத்த ) நிகர எடை மதிப்பு வழிவகுக்கும். ஒவ்வொரு பொருளின் நிகர எடை அதே மொறட்டுவ பல்கலைகழகம் உள்ளது என்று உறுதி. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM விகிதம் DocType: Asset,Journal Entry for Scrap,ஸ்கிராப் பத்திரிகை நுழைவு @@ -3267,7 +3279,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,காட்டு வரி இடைவெளிக்கு அப் apps/erpnext/erpnext/accounts/party.py +308,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,மாணவர்கள் காணப்படவில்லை. @@ -3287,14 +3298,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,எந்த மாணவர் +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 +108,Please enter 'Expected Delivery Date',' எதிர்பார்த்த டெலிவரி தேதி ' உள்ளிடவும் apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,தவறான GSTIN அல்லது பதியப்படாதது க்கான என்ஏ உள்ளிடவும் +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,தவறான GSTIN அல்லது பதியப்படாதது க்கான என்ஏ உள்ளிடவும் DocType: Training Event,Seminar,கருத்தரங்கு DocType: Program Enrollment Fee,Program Enrollment Fee,திட்டம் சேர்க்கை கட்டணம் DocType: Item,Supplier Items,வழங்குபவர் பொருட்கள் @@ -3324,21 +3335,23 @@ DocType: Sales Team,Contribution (%),பங்களிப்பு (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,குறிப்பு: கொடுப்பனவு நுழைவு ' பண அல்லது வங்கி கணக்கு ' குறிப்பிடப்படவில்லை என்பதால் உருவாக்கப்பட்டது முடியாது apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,பொறுப்புகள் DocType: Expense Claim Account,Expense Claim Account,செலவு கூறுகின்றனர் கணக்கு +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} அமைப்பு> அமைப்புகள் வழியாக> பெயரிடுதல் தொடருக்கான தொடர் பெயரிடுதல் அமைக்கவும் 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,பயனர்கள் சேர்க்கவும் 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 க்கும் மேற்பட்ட இருக்க முடியாது. DocType: Stock Reconciliation Item,Before reconciliation,சமரசம் முன் apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},எப்படி {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது (நிறுவனத்தின் கரன்சி) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,பொருள் வரி வரிசையில் {0} வகை வரி அல்லது வருமான அல்லது செலவு அல்லது வசூலிக்கப்படும் கணக்கு இருக்க வேண்டும் +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,பொருள் வரி வரிசையில் {0} வகை வரி அல்லது வருமான அல்லது செலவு அல்லது வசூலிக்கப்படும் கணக்கு இருக்க வேண்டும் DocType: Sales Order,Partly Billed,இதற்கு கட்டணம் apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,பொருள் {0} ஒரு நிலையான சொத்தின் பொருள் இருக்க வேண்டும் DocType: Item,Default BOM,முன்னிருப்பு BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,டெபிட் குறிப்பு தொகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,டெபிட் குறிப்பு தொகை apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,மீண்டும் தட்டச்சு நிறுவனத்தின் பெயர் உறுதிப்படுத்த தயவு செய்து -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,மொத்த மிகச்சிறந்த விவரங்கள் +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,மொத்த மிகச்சிறந்த விவரங்கள் DocType: Journal Entry,Printing Settings,அச்சிடுதல் அமைப்புகள் DocType: Sales Invoice,Include Payment (POS),கொடுப்பனவு சேர்க்கவும் (பிஓஎஸ்) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},மொத்த பற்று மொத்த கடன் சமமாக இருக்க வேண்டும் . @@ -3346,20 +3359,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,வா DocType: Vehicle,Insurance Company,காப்பீட்டு நிறுவனம் DocType: Asset Category Account,Fixed Asset Account,நிலையான சொத்து கணக்கு apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,மாறி -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,டெலிவரி குறிப்பு இருந்து +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,டெலிவரி குறிப்பு இருந்து DocType: Student,Student Email Address,மாணவர் மின்னஞ்சல் முகவரி DocType: Timesheet Detail,From Time,நேரம் இருந்து apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,கையிருப்பில்: DocType: Notification Control,Custom Message,தனிப்பயன் செய்தி apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,முதலீட்டு வங்கி apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு அமைப்பு வழியாக வருகை தொடரின் எண்ணிக்கையில்> எண் தொடர் apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,மாணவர் முகவரி apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,மாணவர் முகவரி 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 +1517,Address Name,முகவரி பெயர் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,முகவரி பெயர் DocType: Stock Entry,From BOM,"BOM, இருந்து" DocType: Assessment Code,Assessment Code,மதிப்பீடு குறியீடு apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,அடிப்படையான @@ -3376,7 +3388,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது. +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/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,மாதாந்திர கட்டுந்தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது முடியும் @@ -3384,7 +3396,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,மாணவர் ஏற்கனவே பதிவு செய்யப்பட்டது. @@ -3393,7 +3405,7 @@ DocType: Process Payroll,Process Payroll,செயல்முறை சம் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,இந்த மாதம் வேலை நாட்களுக்கு மேல் விடுமுறை உள்ளன . DocType: Product Bundle Item,Product Bundle Item,தயாரிப்பு மூட்டை பொருள் DocType: Sales Partner,Sales Partner Name,விற்பனை வரன்வாழ்க்கை துணை பெயர் -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள் +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,விலைக்குறிப்புகளுக்கான வேண்டுகோள் DocType: Payment Reconciliation,Maximum Invoice Amount,அதிகபட்ச விலைப்பட்டியல் அளவு DocType: Student Language,Student Language,மாணவர் மொழி apps/erpnext/erpnext/config/selling.py +23,Customers,வாடிக்கையாளர்கள் @@ -3404,7 +3416,7 @@ DocType: Asset,Partially Depreciated,ஓரளவு Depreciated DocType: Issue,Opening Time,நேரம் திறந்து apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,தேவையான தேதிகள் மற்றும் இதயம் apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,செக்யூரிட்டிஸ் & பண்ட பரிமாற்ற -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',மாற்று அளவீடு இயல்புநிலை யூனிட் '{0}' டெம்ப்ளேட் அதே இருக்க வேண்டும் '{1}' +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 +847,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான @@ -3423,7 +3435,7 @@ 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 +266,Raw Material,மூலப்பொருட்களின் +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,தள்ளுபடி தொகை பிறகு வரி தொகை @@ -3435,7 +3447,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,தேதி திறந்து தேதி மூடுவதற்கு முன் இருக்க வேண்டும் -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} அமைப்பு> அமைப்புகள் வழியாக> பெயரிடுதல் தொடருக்கான தொடர் பெயரிடுதல் அமைக்கவும் 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.,இது விடுமுறை நாட்கள் இந்த துறை தடுக்கப்பட்டது. @@ -3448,8 +3459,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0} +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/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,வங்கி நுழைவு DocType: Authorization Rule,Applicable To (Designation),பொருந்தும் (பதவி) @@ -3466,7 +3477,7 @@ 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 +270,Hour,மணி +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,நீங்கள் பிளாக் தேதிகள் இலைகள் ஒப்புதல் அங்கீகாரம் இல்லை @@ -3476,7 +3487,7 @@ 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 +645,Point of Sale,விற்பனை செய்யுமிடம் +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 +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 +270,Gram,கிராம -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும். +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/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 அலகுகள் பெற அனுமதிக்கப்படும். @@ -3520,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 +465,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,பல ஊழியர்கள் மார்க் வருகை @@ -3559,7 +3570,7 @@ 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 +436,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,பில்லிங் மாநிலம் @@ -3608,7 +3619,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},தவறான கற்பிதம் {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',தயவு செய்து 'அனைத்து மதிப்பீடு குழுக்கள்' தவிர வேறு மதிப்பீடு குழு தேர்வு @@ -3710,16 +3721,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,சம்பளம் DocType: Program Enrollment Tool,New Academic Year,புதிய கல்வி ஆண்டு apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,திரும்ப / கடன் குறிப்பு DocType: Stock Settings,Auto insert Price List rate if missing,வாகன நுழைவு விலை பட்டியல் விகிதம் காணாமல் என்றால் -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,மொத்த கட்டண தொகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,மொத்த கட்டண தொகை DocType: Production Order Item,Transferred Qty,அளவு மாற்றம் apps/erpnext/erpnext/config/learn.py +11,Navigating,வழிநடத்தல் 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 +272,We sell this Item,நாம் இந்த பொருளை விற்க +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,மாதிரி தரவு 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,அரை நாள் தேதி @@ -3767,7 +3780,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 +1186,Please set Company,நிறுவனத்தின் அமைக்கவும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,நிறுவனத்தின் அமைக்கவும் DocType: Pricing Rule,Buying,வாங்குதல் DocType: HR Settings,Employee Records to be created by,பணியாளர் ரெக்கார்ட்ஸ் விவரங்களை வேண்டும் DocType: POS Profile,Apply Discount On,தள்ளுபடி விண்ணப்பிக்கவும் @@ -3783,13 +3796,14 @@ 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,கட்டணம் சேகரிக்க DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1} DocType: Lead,Add to calendar on this date,இந்த தேதி நாள்காட்டியில் சேர்க்கவும் apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் . DocType: Item,Opening Stock,ஆரம்ப இருப்பு apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,வாடிக்கையாளர் தேவை apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} திரும்ப அத்தியாவசியமானதாகும் DocType: Purchase Order,To Receive,பெற +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,தனிப்பட்ட மின்னஞ்சல் apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,மொத்த மாற்றத்துடன் DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","இயலுமைப்படுத்த என்றால், கணினி தானாக சரக்கு கணக்கியல் உள்ளீடுகள் பதிவு." @@ -3801,7 +3815,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 +541,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ஸ்டாண்டர்ட் விற்பனை @@ -3809,7 +3823,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,உத்தரவாதத்தை வெளியே DocType: BOM Replace Tool,Replace,பதிலாக apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,இல்லை பொருட்கள் கண்டுபிடிக்கப்பட்டது. -DocType: Production Order,Unstopped,திறவுண்டுபோகும் apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} விற்பனை விலைப்பட்டியல்க்கு எதிரான {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,திட்டம் பெயர் @@ -3820,6 +3833,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} 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} அல்லது ஏற்கனவே மற்ற ரசீது எதிராக பொருந்தியது கணக்கு இல்லை @@ -3856,9 +3870,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,அது ஒரு பங்கு உருப்படியை இல்லை என்பதால் பொருள் {0} அலட்சியம் +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 +40,Submit this Production Order for further processing.,மேலும் செயலாக்க இந்த உற்பத்தி ஆர்டர் . +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,வேலைகள் @@ -3866,12 +3880,14 @@ 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 +209,Rate (%),விகிதம் (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","உன்னை தவிர, உங்கள் நிறுவனத்தின் பயனர் சேர்க்க" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',நிறுவனத்தின் வெற்று வடிகட்ட அமைக்கவும் என்றால் குழுவினராக 'நிறுவனத்தின்' ஆகும் apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,பதிவுசெய்ய தேதி எதிர்கால தேதியில் இருக்க முடியாது apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ரோ # {0}: தொ.எ. {1} பொருந்தவில்லை {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,தற்செயல் விடுப்பு @@ -3900,7 +3916,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,பங்கு லெட்ஜ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,பொருள் {0} சீரியல் எண்கள் வரிசை அமைப்பு காலியாக இருக்கவேண்டும் அல்ல +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,பொருள் {0} சீரியல் எண்கள் வரிசை அமைப்பு காலியாக இருக்கவேண்டும் அல்ல DocType: Accounts Settings,Accounts Settings,கணக்குகள் அமைப்புகள் apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,ஒப்புதல் DocType: Customer,Sales Partner and Commission,விற்பனை பார்ட்னர் மற்றும் கமிஷன் @@ -3915,7 +3931,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 +62,{0} items produced,{0} உற்பத்தி பொருட்களை +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,திரும்ப @@ -3929,7 +3945,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம் -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,கடற்படை மேலாண்மை @@ -3954,18 +3970,18 @@ 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 +705,Online,ஆன்லைன் +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} முடக்கப்பட்டுள்ளது DocType: Employee Loan,Repay Fixed Amount per Period,காலம் ஒன்றுக்கு நிலையான தொகை திருப்பி apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},பொருள் எண்ணிக்கையை உள்ளிடவும் {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,கடன் குறிப்பு Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,கடன் குறிப்பு Amt DocType: Employee External Work History,Employee External Work History,பணியாளர் வெளி வேலை வரலாறு DocType: Tax Rule,Purchase,கொள்முதல் apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,இருப்பு அளவு @@ -3992,7 +4008,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 +2383,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு DocType: Employee,Encashment Date,பணமாக்கல் தேதி DocType: Training Event,Internet,இணைய DocType: Account,Stock Adjustment,பங்கு சீரமைப்பு @@ -4022,6 +4038,7 @@ DocType: Guardian,Guardian Of ,ஆனால் கார்டியன் DocType: Grading Scale Interval,Threshold,ஆரம்பம் DocType: BOM Replace Tool,Current BOM,தற்போதைய பொருட்களின் அளவுக்கான ரசீது apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,தொடர் எண் சேர் +DocType: Production Order Item,Available Qty at Source Warehouse,மூல கிடங்கு கிடைக்கும் அளவு apps/erpnext/erpnext/config/support.py +22,Warranty,உத்தரவாதத்தை DocType: Purchase Invoice,Debit Note Issued,டெபிட் குறிப்பை வெளியிட்டு DocType: Production Order,Warehouses,கிடங்குகள் @@ -4037,13 +4054,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,கட்ட apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,திட்ட மேலாளர் ,Quoted Item Comparison,மேற்கோள் காட்டப்பட்டது பொருள் ஒப்பீட்டு apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,அனுப்புகை -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,அதிகபட்சம் தள்ளுபடி உருப்படியை அனுமதி: {0} {1}% ஆகும் +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 +279,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 +879,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும் -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்" DocType: Item,Material Issue,பொருள் வழங்கல் DocType: Hub Settings,Seller Description,விற்பனையாளர் விளக்கம் DocType: Employee Education,Qualification,தகுதி @@ -4067,7 +4084,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"சமர்ப்பிக்கப்பட்ட பங்கு நுழைவு {0} ஏனெனில், ரத்து செய்ய முடியாது" DocType: Employee Loan,Disbursement Date,இரு வாரங்கள் முடிவதற்குள் தேதி DocType: Vehicle,Vehicle,வாகன DocType: Purchase Invoice,In Words,சொற்கள் @@ -4088,7 +4105,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","இயல்புநிலை என இந்த நிதியாண்டில் அமைக்க, ' இயல்புநிலை அமை ' கிளிக்" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,சேர apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,பற்றாக்குறைவே அளவு -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது DocType: Employee Loan,Repay from Salary,சம்பளம் இருந்து திருப்பி DocType: Leave Application,LAP/,மடியில் / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},எதிராக கட்டணம் கோருகிறது {0} {1} அளவு {2} @@ -4106,18 +4123,18 @@ 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 +1011,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,தொடர் இல {0} ஏற்கனவே பெற்றுள்ளது +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: Expense Claim,Vehicle Log,வாகன பதிவு DocType: Purchase Invoice,Recurring Id,மீண்டும் அடையாளம் DocType: Customer,Sales Team Details,விற்பனை குழு விவரம் -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,நிரந்தரமாக நீக்கு? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},தவறான {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},தவறான {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,விடுப்பு DocType: Email Digest,Email Digest,மின்னஞ்சல் டைஜஸ்ட் DocType: Delivery Note,Billing Address Name,பில்லிங் முகவரி பெயர் @@ -4130,6 +4147,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,குற்றம் சாட்டப்பட தக்க DocType: Company,Change Abbreviation,மாற்றம் சுருக்கமான DocType: Expense Claim Detail,Expense Date,செலவு தேதி +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட் DocType: Item,Max Discount (%),அதிகபட்சம் தள்ளுபடி (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,கடைசி ஆர்டர் தொகை DocType: Task,Is Milestone,மைல்கல் ஆகும் @@ -4153,8 +4171,8 @@ DocType: Program Enrollment Tool,New Program,புதிய திட்டம DocType: Item Attribute Value,Attribute Value,மதிப்பு பண்பு ,Itemwise Recommended Reorder Level,இனவாரியாக மறுவரிசைப்படுத்துக நிலை பரிந்துரைக்கப்படுகிறது DocType: Salary Detail,Salary Detail,சம்பளம் விபரம் -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,முதல் {0} தேர்வு செய்க -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,பொருள் ஒரு தொகுதி {0} {1} காலாவதியாகிவிட்டது. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,முதல் {0} தேர்வு செய்க +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,பொருள் ஒரு தொகுதி {0} {1} காலாவதியாகிவிட்டது. DocType: Sales Invoice,Commission,தரகு apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,உற்பத்தி நேரம் தாள். apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,கூட்டுத்தொகை @@ -4179,12 +4197,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 +399,Operation Time must be greater than 0 for Operation {0},ஆபரேஷன் நேரம் ஆபரேஷன் 0 விட இருக்க வேண்டும் {0} +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/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 +387,Production Order cannot be raised against a Item Template,உத்தரவு ஒரு பொருள் டெம்ப்ளேட் எதிராக எழுப்பப்பட்ட +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,தொடக்க தேதி @@ -4214,7 +4232,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,நீக்கம் தேதி DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","மின்னஞ்சல்கள் அவர்கள் விடுமுறை இல்லை என்றால், கொடுக்கப்பட்ட நேரத்தில் நிறுவனத்தின் அனைத்து செயலில் ஊழியர் அனுப்பி வைக்கப்படும். மறுமொழிகளின் சுருக்கம் நள்ளிரவில் அனுப்பப்படும்." DocType: Employee Leave Approver,Employee Leave Approver,பணியாளர் விடுப்பு ஒப்புதல் -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","இழந்தது மேற்கோள் செய்யப்பட்டது ஏனெனில் , அறிவிக்க முடியாது ." 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} சமர்ப்பிக்க வேண்டும் @@ -4248,6 +4266,7 @@ DocType: Announcement,Student,மாணவர் apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,அமைப்பு அலகு ( துறை ) மாஸ்டர் . apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,சரியான மொபைல் இலக்கங்கள் உள்ளிடவும் apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,அனுப்புவதற்கு முன் செய்தி உள்ளிடவும் +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,வினியோகஸ்தரின் DUPLICATE DocType: Email Digest,Pending Quotations,மேற்கோள்கள் நிலுவையில் apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,புள்ளி விற்பனை செய்தது apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS அமைப்புகள் மேம்படுத்த @@ -4256,7 +4275,7 @@ DocType: Cost Center,Cost Center Name,மையம் பெயர் செல DocType: Employee,B+,பி DocType: HR Settings,Max working hours against Timesheet,அதிகபட்சம் டைம் ஷீட் எதிராக உழைக்கும் மணி DocType: Maintenance Schedule Detail,Scheduled Date,திட்டமிடப்பட்ட தேதி -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,மொத்த பணம் விவரங்கள் +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,மொத்த பணம் விவரங்கள் DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,60 எழுத்துகளுக்கு அதிகமாக செய்திகள் பல செய்திகளை பிரிந்தது DocType: Purchase Receipt Item,Received and Accepted,பெற்று ஏற்கப்பட்டது ,GST Itemised Sales Register,ஜிஎஸ்டி வகைப்படுத்தப்பட்டவையாகவும் விற்பனை பதிவு @@ -4266,7 +4285,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 +237,Your Suppliers,உங்கள் சப்ளையர்கள் +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',வகை 'மதிப்பீட்டு' அல்லது 'Vaulation மற்றும் மொத்த' க்கான போது கழித்து முடியாது @@ -4278,7 +4297,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","வாங்குதல் அமைப்புகள் படி கொள்முதல் Reciept தேவையான == 'ஆம்', பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ரசீது உருவாக்க வேண்டும் என்றால் {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,பொருள் {1} இணைக்கப்பட்ட வலைத்தளம் பட {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.,வலைத்தளத்தில் பல குழுக்கள் இந்த உருப்படி பட்டியல். @@ -4293,7 +4312,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,அது apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,சேமிப்பு கிடங்கு வேண்டும் apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,அனைத்து மாணவர் சேர்க்கை ,Average Commission Rate,சராசரி கமிஷன் விகிதம் -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,வருகை எதிர்கால நாட்களுக்கு குறித்தது முடியாது DocType: Pricing Rule,Pricing Rule Help,விலை விதி உதவி DocType: School House,House Name,ஹவுஸ் பெயர் @@ -4309,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 +339,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும் +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,காப்புறுதி தொடக்க தேதி காப்புறுதி முடிவு தேதி விட குறைவாக இருக்க வேண்டும் @@ -4324,20 +4343,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே நேரம் தாள் உருவாக்கப்பட்ட {1} DocType: Vehicle Log,Odometer,ஓடோமீட்டர் DocType: Sales Order Item,Ordered Qty,அளவு உத்தரவிட்டார் -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது +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 +874,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 விபரங்கள் apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,சம்பளம் சீட்டுகள் உருவாக்குதல் -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் வாங்குதல், சரிபார்க்கப்பட வேண்டும் {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் வாங்குதல், சரிபார்க்கப்பட வேண்டும் {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,தள்ளுபடி 100 க்கும் குறைவான இருக்க வேண்டும் 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 +500,Default BOM for {0} not found,"{0} இல்லை இயல்புநிலை BOM," -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ரோ # {0}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும் +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,திட்டம் பதிவு DocType: Landed Cost Voucher,Landed Cost Voucher,Landed செலவு வவுச்சர் @@ -4400,7 +4419,6 @@ DocType: Maintenance Visit,MV,எம்.வி. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,எதிர்பார்க்கப்படுகிறது தேதி பொருள் கோரிக்கை தேதி முன் இருக்க முடியாது DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு -DocType: Production Order,Source Warehouse (for reserving Items),மூல கிடங்கு (இனங்கள் ஒதுக்கப்பட்ட ஐந்து) DocType: Employee Loan,Repayment Period in Months,மாதங்களில் கடனை திருப்பி செலுத்தும் காலம் apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,பிழை: ஒரு செல்லுபடியாகும் அடையாள? DocType: Naming Series,Update Series Number,மேம்படுத்தல் தொடர் எண் @@ -4449,7 +4467,7 @@ DocType: Production Order,Planned End Date,திட்டமிட்ட தே apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,அங்கு பொருட்களை சேமிக்கப்படும். DocType: Request for Quotation,Supplier Detail,சப்ளையர் விபரம் apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},சூத்திரம் அல்லது நிலையில் பிழை: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,விலை விவரம் தொகை +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,விலை விவரம் தொகை DocType: Attendance,Attendance,வருகை apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,பங்கு பொருட்கள் DocType: BOM,Materials,பொருட்கள் @@ -4490,10 +4508,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,அமைப்பு என் அமைப்பு ஒரு எளிய வலைத்தளம் +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0} DocType: Item,Default Warehouse,இயல்புநிலை சேமிப்பு கிடங்கு apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},பட்ஜெட் குழு கணக்கை எதிராக ஒதுக்கப்படும் முடியாது {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,பெற்றோர் செலவு சென்டர் உள்ளிடவும் @@ -4554,7 +4572,7 @@ 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 +1344,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க +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/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,இந்த பணியாளர் வருகை அடிப்படையாக கொண்டது @@ -4562,6 +4580,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,ஆண்டு தொடக்க தேதி DocType: Attendance,Employee Name,பணியாளர் பெயர் DocType: Sales Invoice,Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,அமைவு பணியாளர் மனித வள சிஸ்டம் பெயரிடுதல்> மனிதவள அமைப்புகள் 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும். DocType: Leave Block List,Stop users from making Leave Applications on following days.,பின்வரும் நாட்களில் விடுப்பு விண்ணப்பங்கள் செய்து பயனர்களை நிறுத்த. @@ -4584,7 +4603,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 படித்தல் ,Hub,மையம் DocType: GL Entry,Voucher Type,ரசீது வகை -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும் @@ -4604,7 +4623,7 @@ DocType: POS Profile,Account for Change Amount,கணக்கு தொக apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ரோ {0}: கட்சி / கணக்கு பொருந்தவில்லை {1} / {2} உள்ள {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,செலவு கணக்கு உள்ளிடவும் DocType: Account,Stock,பங்கு -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்" DocType: Employee,Current Address,தற்போதைய முகவரி DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","வெளிப்படையாக குறிப்பிட்ட வரை பின்னர் உருப்படியை விளக்கம், படம், விலை, வரி டெம்ப்ளேட் இருந்து அமைக்க வேண்டும் போன்றவை மற்றொரு உருப்படியை ஒரு மாறுபாடு இருக்கிறது என்றால்" DocType: Serial No,Purchase / Manufacture Details,கொள்முதல் / உற்பத்தி விவரம் @@ -4643,11 +4662,12 @@ DocType: Student,Home Address,வீட்டு முகவரி apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,மாற்றம் சொத்து DocType: POS Profile,POS Profile,பிஓஎஸ் செய்தது DocType: Training Event,Event Name,நிகழ்வு பெயர் -apps/erpnext/erpnext/config/schools.py +39,Admission,சேர்க்கை +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,சேர்க்கை apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},சேர்க்கை {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} பொருள் ஒரு டெம்ப்ளேட் உள்ளது, அதன் வகைகள் ஒன்றைத் தேர்ந்தெடுக்கவும்" DocType: Asset,Asset Category,சொத்து வகை +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,வாங்குபவர் apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது DocType: SMS Settings,Static Parameters,நிலையான அளவுருக்களை DocType: Assessment Plan,Room,அறை @@ -4656,6 +4676,7 @@ DocType: Item,Item Tax,பொருள் வரி apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,சப்ளையர் பொருள் apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,கலால் விலைப்பட்டியல் apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,உயர் அளவு {0}% முறை மேல் காட்சிக்கு +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம் 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,நடப்பு பொறுப்புகள் @@ -4727,6 +4748,7 @@ DocType: Leave Type,Is Carry Forward,முன்னோக்கி எடு apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக் இல்லை ,Stock Summary,பங்கு சுருக்கம் diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv index 1f2bb561db..4e2ee286bd 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",ఆగిపోయింది ఉత్పత్తి ఆర్డర్ రద్దు చేయలేము రద్దు మొదటి అది Unstop +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,డిఫాల్ట్ సరఫరాదారు ఎంచుకోండి @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1} +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 +808,Invoice,వాయిస్ DocType: Maintenance Schedule Item,Periodicity,ఆవర్తకత apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ఫిస్కల్ ఇయర్ {0} అవసరం @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,పని జరుగుచున్నది apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,దయచేసి తేదీని ఎంచుకోండి DocType: Employee,Holiday List,హాలిడే జాబితా -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,అకౌంటెంట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,అకౌంటెంట్ DocType: Cost Center,Stock User,స్టాక్ వాడుకరి DocType: Company,Phone No,ఫోన్ సంఖ్య apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,కోర్సు షెడ్యూల్స్ రూపొందించినవారు: @@ -110,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}, Item కోడ్: {1} మరియు కస్టమర్: {2}" -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,కిలొగ్రామ్ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,కిలొగ్రామ్ DocType: Student Log,Log,లోనికి ప్రవేశించండి apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ఒక Job కొరకు తెరవడం. DocType: Item Attribute,Increment,పెంపు @@ -120,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 +42,Not permitted for {0},కోసం అనుమతి లేదు {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,నుండి అంశాలను పొందండి -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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.,** మంత్లీ పంపిణీ ** మీరు నెలల అంతటా బడ్జెట్ / టార్గెట్ పంపిణీ మీరు మీ వ్యాపారంలో seasonality కలిగి ఉంటే సహాయపడుతుంది. -apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,వస్తువులను కనుగొన్నారు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,సేల్స్ వాయిస్ అంశం @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,స్టాక్ ని DocType: Warehouse,Warehouse Detail,వేర్హౌస్ వివరాలు apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},క్రెడిట్ పరిమితి కస్టమర్ కోసం దాటింది చేయబడింది {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""స్థిర ఆస్తిగా", అనియంత్రిత ఉండకూడదు అసెట్ రికార్డు అంశం వ్యతిరేకంగా కాలమే" +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/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,ఒక కస్టమర్ అదే పేరుతో @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},నుండి {0} కు {1} DocType: Item,Copy From Item Group,అంశం గ్రూప్ నుండి కాపీ DocType: Journal Entry,Opening Entry,ఓపెనింగ్ ఎంట్రీ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ఖాతా చెల్లించండి మాత్రమే DocType: Employee Loan,Repay Over Number of Periods,చెల్లింపులో కాలాల ఓవర్ సంఖ్య DocType: Stock Entry,Additional Costs,అదనపు వ్యయాలు @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,హౌసింగ్ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ఖాతా ప్రకటన +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,ఫార్మాస్యూటికల్స్ DocType: Purchase Invoice Item,Is Fixed Asset,స్థిర ఆస్తి ఉంది apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","అందుబాటులో అంశాల {0}, మీరు అవసరం {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,వినిమయ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,పైన ప్రమాణం ఆధారిత రకం తయారీ విషయ అభ్యర్థన పుల్ @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ఉదాహరణ: బేసిక్ గణితం +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/config/hr.py +214,Settings for HR Module,ఆర్ మాడ్యూల్ కోసం సెట్టింగులు DocType: SMS Center,SMS Center,SMS సెంటర్ @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,అంశాలు మరియు ధర apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},మొత్తం గంటలు: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},తేదీ నుండి ఫిస్కల్ ఇయర్ లోపల ఉండాలి. తేదీ నుండి ఊహిస్తే = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,వ్యాఖ్యలు DocType: Customer,Individual,వ్యక్తిగత DocType: Interest,Academics User,విద్యావేత్తలు వాడుకరి DocType: Cheque Print Template,Amount In Figure,మూర్తి లో మొత్తం @@ -265,7 +266,7 @@ DocType: Employee,Create User,వాడుకరి సృష్టించు DocType: Selling Settings,Default Territory,డిఫాల్ట్ భూభాగం apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,టెలివిజన్ DocType: Production Order Operation,Updated via 'Time Log','టైం లోగ్' ద్వారా నవీకరించబడింది -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1} DocType: Naming Series,Series List for this Transaction,ఈ లావాదేవీ కోసం సిరీస్ జాబితా DocType: Company,Enable Perpetual Inventory,శాశ్వత ఇన్వెంటరీ ప్రారంభించు DocType: Company,Default Payroll Payable Account,డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా @@ -273,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 +177,For Warehouse is required before Submit,వేర్హౌస్ కోసం సమర్పించు ముందు అవసరం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,సంప్రదింపు పేరు +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 కస్టమర్ గ్రూప్ @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,తేదీ ఉపశమనం చేరడం తేదీ కంటే ఎక్కువ ఉండాలి 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 +189,Warehouse {0} does not belong to company {1},{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 +270,Litre,లీటరు +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 నిరోధిత -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,బ్యాంక్ ఎంట్రీలు apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,వార్షిక DocType: Stock Reconciliation Item,Stock Reconciliation Item,స్టాక్ సయోధ్య అంశం @@ -315,7 +316,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 +316,People who teach at your organisation,మీ సంస్థ వద్ద బోధిస్తారు వ్యక్తుల +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,యూజర్ రేటు సవ DocType: Item,Publish in Hub,హబ్ లో ప్రచురించండి DocType: Student Admission,Student Admission,విద్యార్థి అడ్మిషన్ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} అంశం రద్దు +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} అంశం రద్దు apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,మెటీరియల్ అభ్యర్థన DocType: Bank Reconciliation,Update Clearance Date,నవీకరణ క్లియరెన్స్ తేదీ DocType: Item,Purchase Details,కొనుగోలు వివరాలు @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,విమానాల మేనేజర్ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,సర్క్యులర్ సూచన లోపం @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,మీరు వైదొలగిన తర్వాత చెల్లింపు ఎంట్రీ మారిస్తే. మళ్ళీ తీసి దయచేసి. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} అంశం పన్ను రెండుసార్లు ఎంటర్ +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} అంశం పన్ను రెండుసార్లు ఎంటర్ apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ఈ వారం పెండింగ్ కార్యకలాపాలకు సారాంశం DocType: Student Applicant,Admitted,చేరినవారి DocType: Workstation,Rent Cost,రెంట్ ఖర్చు @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% పొందింది apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,విద్యార్థి సమూహాలు సృష్టించండి apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,సెటప్ ఇప్పటికే సంపూర్ణ !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,క్రెడిట్ గమనిక మొత్తం +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,క్రెడిట్ గమనిక మొత్తం ,Finished Goods,తయారైన వస్తువులు DocType: Delivery Note,Instructions,సూచనలు DocType: Quality Inspection,Inspected By,తనిఖీలు @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్ను> సెటప్ ద్వారా హాజరు ధారావాహిక సంఖ్యలో నంబరింగ్ సిరీస్ apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,కొనుగోలు ఉత్తర్వులు సృష్టించు ,Purchase Register,కొనుగోలు నమోదు DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,అన్ని తయారీ ప్రక్రియలకు గ్లోబల్ సెట్టింగులు. DocType: Accounts Settings,Accounts Frozen Upto,ఘనీభవించిన వరకు అకౌంట్స్ DocType: SMS Log,Sent On,న పంపిన -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,లక్షణం {0} గుణాలు పట్టిక పలుమార్లు ఎంపిక +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,లక్షణం {0} గుణాలు పట్టిక పలుమార్లు ఎంపిక DocType: HR Settings,Employee record is created using selected field. ,Employee రికార్డు ఎంపిక రంగంలో ఉపయోగించి రూపొందించినవారు ఉంది. DocType: Sales Order,Not Applicable,వర్తించదు apps/erpnext/erpnext/config/hr.py +70,Holiday master.,హాలిడే మాస్టర్. @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","ఖాతా ద్వారా సమూహం ఉంటే, ఖాతా ఆధారంగా వేరు చేయలేని" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,మెటీరియల్ అభ్యర్థన పెంచింది చేయబడే గిడ్డంగి నమోదు చేయండి DocType: Production Order,Additional Operating Cost,అదనపు నిర్వహణ ఖర్చు apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,కాస్మటిక్స్ -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","విలీనం, క్రింది రెండు లక్షణాలతో అంశాలను అదే ఉండాలి" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","విలీనం, క్రింది రెండు లక్షణాలతో అంశాలను అదే ఉండాలి" DocType: Shipping Rule,Net Weight,నికర బరువు DocType: Employee,Emergency Phone,అత్యవసర ఫోన్ apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,కొనుగోలు @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ మార్చు పన్నులు మరియు ఆరోపణలు జోడించండి DocType: Purchase Invoice,Supplier Invoice No,సరఫరాదారు వాయిస్ లేవు DocType: Territory,For reference,సూచన కోసం -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","తొలగించలేరు సీరియల్ లేవు {0}, ఇది స్టాక్ లావాదేవీలు ఉపయోగిస్తారు వంటి" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","తొలగించలేరు సీరియల్ లేవు {0}, ఇది స్టాక్ లావాదేవీలు ఉపయోగిస్తారు వంటి" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),మూసివేయడం (CR) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,తరలించు అంశం DocType: Serial No,Warranty Period (Days),వారంటీ కాలం (రోజులు) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,మొదటి కంపెనీ మరియు పార్టీ రకాన్ని ఎంచుకోండి apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,పోగుచేసిన విలువలు -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","క్షమించండి, సీరియల్ సంఖ్యలు విలీనం సాధ్యం కాదు" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","క్షమించండి, సీరియల్ సంఖ్యలు విలీనం సాధ్యం కాదు" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,సేల్స్ ఆర్డర్ చేయండి DocType: Project Task,Project Task,ప్రాజెక్ట్ టాస్క్ ,Lead Id,లీడ్ ID @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,కేటాయించాల్సిన apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,సేల్స్ చూపించు 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,గమనిక: మొత్తం కేటాయించింది ఆకులు {0} ఇప్పటికే ఆమోదం ఆకులు కంటే తక్కువ ఉండకూడదు {1} కాలానికి +,Total Stock Summary,మొత్తం స్టాక్ సారాంశం DocType: Announcement,Posted By,ద్వారా పోస్ట్ DocType: Item,Delivered by Supplier (Drop Ship),సరఫరాదారు ద్వారా పంపిణీ (డ్రాప్ షిప్) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,సంభావ్య వినియోగదారులు డేటాబేస్. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,కస్టమర DocType: Quotation,Quotation To,.కొటేషన్ DocType: Lead,Middle Income,మధ్య ఆదాయ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ప్రారంభ (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,మీరు ఇప్పటికే మరొక UoM కొన్ని ట్రాన్సాక్షన్ (లు) చేసిన ఎందుకంటే అంశం కోసం మెజర్ అప్రమేయ యూనిట్ {0} నేరుగా మారలేదు. మీరు వేరే డిఫాల్ట్ UoM ఉపయోగించడానికి ఒక కొత్త అంశాన్ని సృష్టించడానికి అవసరం. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,మీరు ఇప్పటికే మరొక UoM కొన్ని ట్రాన్సాక్షన్ (లు) చేసిన ఎందుకంటే అంశం కోసం మెజర్ అప్రమేయ యూనిట్ {0} నేరుగా మారలేదు. మీరు వేరే డిఫాల్ట్ UoM ఉపయోగించడానికి ఒక కొత్త అంశాన్ని సృష్టించడానికి అవసరం. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,కేటాయించింది మొత్తం ప్రతికూల ఉండకూడదు apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,కంపెనీ సెట్ దయచేసి apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,కంపెనీ సెట్ దయచేసి @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,మాస్టర్స్ DocType: Assessment Plan,Maximum Assessment Score,గరిష్ఠ అసెస్మెంట్ స్కోరు apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,నవీకరణ బ్యాంక్ ట్రాన్సాక్షన్ తేదీలు apps/erpnext/erpnext/config/projects.py +30,Time Tracking,సమయం ట్రాకింగ్ +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ట్రాన్స్పోర్టర్ నకిలీ DocType: Fiscal Year Company,Fiscal Year Company,ఫిస్కల్ ఇయర్ కంపెనీ DocType: Packing Slip Item,DN Detail,DN వివరాలు DocType: Training Event,Conference,కాన్ఫరెన్స్ @@ -684,8 +688,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 +320,Timesheet created:,Timesheet రూపొందించినవారు: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,నమోదు DocType: GST Settings,GST Settings,జిఎస్టి సెట్టింగులు DocType: Selling Settings,Customer Naming By,ద్వారా కస్టమర్ నేమింగ్ @@ -714,7 +718,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 +139,Finish,ముగించు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,ముగించు apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,బేస్ DocType: Timesheet,Total Billed Hours,మొత్తం కస్టమర్లకు గంటలు DocType: Journal Entry,Write Off Amount,మొత్తం ఆఫ్ వ్రాయండి @@ -749,7 +753,7 @@ DocType: Hub Settings,Seller City,అమ్మకాల సిటీ ,Absent Student Report,కరువవడంతో విద్యార్థి నివేదిక DocType: Email Digest,Next email will be sent on:,తదుపరి ఇమెయిల్ పంపబడుతుంది: DocType: Offer Letter Term,Offer Letter Term,లెటర్ టర్మ్ ఆఫర్ -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,అంశం రకాల్లో. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,అంశం రకాల్లో. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,అంశం {0} దొరకలేదు DocType: Bin,Stock Value,స్టాక్ విలువ apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,కంపెనీ {0} ఉనికిలో లేదు @@ -796,12 +800,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","అదే ప్రమాణాల బహుళ ధర రూల్స్ ఉనికిలో ఉంది, ప్రాధాన్యత కేటాయించి వివాద పరిష్కారం దయచేసి. ధర నియమాలు: {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,సోమరిగాచేయు లేదా ఇతర 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 +48,Make Timesheet,tIMESHEET చేయండి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -840,13 +844,13 @@ 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,కుటుంబ నేపథ్యం DocType: Request for Quotation Supplier,Send Email,ఇమెయిల్ పంపండి -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},హెచ్చరిక: చెల్లని జోడింపు {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,అనుమతి లేదు +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},హెచ్చరిక: చెల్లని జోడింపు {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,అనుమతి లేదు 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} సమర్పించాలి @@ -866,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,పోగుచేసిన తరుగుదల తెరవడం @@ -954,14 +958,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},సీరియల్ లేవు {0} అంశం చెందినది కాదు {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},సీరియల్ లేవు {0} అంశం చెందినది కాదు {1} DocType: Purchase Receipt Item Supplied,Required Qty,Required ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు. DocType: Bank Reconciliation,Total Amount,మొత్తం డబ్బు @@ -978,7 +982,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,భాగాలు apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Item లో అసెట్ వర్గం నమోదు చేయండి {0} DocType: Quality Inspection Reading,Reading 6,6 పఠనం -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,కాదు {0} {1} {2} లేకుండా ఏ ప్రతికూల అత్యుత్తమ వాయిస్ కెన్ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,కాదు {0} {1} {2} లేకుండా ఏ ప్రతికూల అత్యుత్తమ వాయిస్ కెన్ 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} @@ -992,12 +996,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 +731,New Sales Invoice,న్యూ సేల్స్ వాయిస్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు DocType: Payment Request,Paid,చెల్లింపు DocType: Program Fee,Program Fee,ప్రోగ్రామ్ రుసుము DocType: Salary Slip,Total in words,పదాలు లో మొత్తం @@ -1030,10 +1034,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,కెమికల్ DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ఈ మోడ్ ఎంపిక ఉన్నప్పుడు డిఫాల్ట్ బ్యాంక్ / నగదు ఖాతా స్వయంచాలకంగా జీతం జర్నల్ ఎంట్రీ లో అప్డేట్ అవుతుంది. DocType: BOM,Raw Material Cost(Company Currency),రా మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,అన్ని అంశాలను ఇప్పటికే ఈ ఉత్పత్తి ఆర్డర్ కోసం బదిలీ చేశారు. +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 +270,Meter,మీటర్ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,మీటర్ DocType: Workstation,Electricity Cost,విద్యుత్ ఖర్చు DocType: HR Settings,Don't send Employee Birthday Reminders,Employee జన్మదిన రిమైండర్లు పంపవద్దు DocType: Item,Inspection Criteria,ఇన్స్పెక్షన్ ప్రమాణం @@ -1056,7 +1060,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 +452,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +1068,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 +259,Qty for {0},కోసం చేసిన అంశాల {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,బ్లాక్ జాబితా తేదీలు వదిలి @@ -1076,9 +1080,9 @@ DocType: Purchase Invoice,Cash/Bank Account,క్యాష్ / బ్యాం apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},దయచేసి పేర్కొనండి ఒక {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,పరిమాణం లేదా విలువ ఎటువంటి మార్పు తొలగించబడిన అంశాలు. DocType: Delivery Note,Delivery To,డెలివరీ -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,లక్షణం పట్టిక తప్పనిసరి +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,లక్షణం పట్టిక తప్పనిసరి DocType: Production Planning Tool,Get Sales Orders,సేల్స్ ఆర్డర్స్ పొందండి -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ప్రతికూల ఉండకూడదు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ప్రతికూల ఉండకూడదు apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,డిస్కౌంట్ DocType: Asset,Total Number of Depreciations,Depreciations మొత్తం సంఖ్య DocType: Sales Invoice Item,Rate With Margin,మార్జిన్ తో రేటు @@ -1115,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 +1546,ZIP Code,జిప్ కోడ్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1138,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,మీ సరఫరాదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),కనీస లీడ్ వయసు (డేస్) @@ -1159,7 +1163,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,పంపిణీదారు DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,షాపింగ్ కార్ట్ షిప్పింగ్ రూల్ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,ఉత్పత్తి ఆర్డర్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',సెట్ 'న అదనపు డిస్కౌంట్ వర్తించు' దయచేసి +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,రేంజ్ తక్కువ ఉండాలి కంటే పరిధి DocType: Global Defaults,Global Defaults,గ్లోబల్ డిఫాల్ట్ @@ -1167,10 +1171,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 +22,First 2 digits of GSTIN should match with State number {0},మొదటి 2 GSTIN అంకెలు రాష్ట్ర సంఖ్య తో మ్యాచ్ ఉండాలి {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,పరిమాణ ప్రణాళికా లోపం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,పరిమాణ ప్రణాళికా లోపం ,Trial Balance for Party,పార్టీ కోసం ట్రయల్ బ్యాలెన్స్ DocType: Lead,Consultant,కన్సల్టెంట్ DocType: Salary Slip,Earnings,సంపాదన @@ -1189,7 +1193,7 @@ DocType: Purchase Invoice,Is Return,రాబడి apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,రిటర్న్ / డెబిట్ గమనిక DocType: Price List Country,Price List Country,ధర జాబితా దేశం DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} అంశం చెల్లుబాటు సీరియల్ nos {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} అంశం చెల్లుబాటు సీరియల్ nos {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Item కోడ్ సీరియల్ నం కోసం మారలేదు apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS ప్రొఫైల్ {0} ఇప్పటికే వినియోగదారుకు రూపొందించినవారు: {1} మరియు సంస్థ {2} DocType: Sales Invoice Item,UOM Conversion Factor,UoM మార్పిడి ఫాక్టర్ @@ -1199,7 +1203,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 +675,Cost Center For Item with Item Code ','అంశం కోడ్ అంశం సెంటర్ ఖర్చు -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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","మరింత ఖాతాల గుంపులు కింద తయారు చేయవచ్చు, కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు" @@ -1241,7 +1245,7 @@ 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,చూడండి లెడ్జర్ DocType: Grading Scale,Intervals,విరామాలు apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,తొట్టతొలి -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ఒక అంశం గ్రూప్ అదే పేరుతో, అంశం పేరు మార్చడానికి లేదా అంశం సమూహం పేరు దయచేసి" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,అంశం {0} బ్యాచ్ ఉండకూడదు @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్ DocType: Purchase Invoice,Rejected Warehouse,తిరస్కరించబడిన వేర్హౌస్ DocType: GL Entry,Against Voucher,ఓచర్ వ్యతిరేకంగా DocType: Item,Default Buying Cost Center,డిఫాల్ట్ కొనుగోలు ఖర్చు సెంటర్ @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,అమ్మకాల ఆర్డర్ {0} చెల్లదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,ఇష్యూ ప్లేస్ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,కాంట్రాక్ట్ DocType: Email Digest,Add Quote,కోట్ జోడించండి -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UoM అవసరం UoM coversion ఫ్యాక్టర్: {0} Item లో: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UoM అవసరం UoM coversion ఫ్యాక్టర్: {0} Item లో: {1} 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 +736,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల +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,మీ ఉత్పత్తులు లేదా సేవల DocType: Mode of Payment,Mode of Payment,చెల్లింపు విధానం -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి DocType: Student Applicant,AP,ఏపీ DocType: Purchase Invoice Item,BOM,బిఒఎం apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ఈ రూట్ అంశం సమూహం ఉంది మరియు సవరించడం సాధ్యం కాదు. @@ -1323,14 +1327,13 @@ 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 +562,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","ధర రూల్ మొదటి ఆధారంగా ఎంపిక ఉంటుంది అంశం, అంశం గ్రూప్ లేదా బ్రాండ్ కావచ్చు, ఫీల్డ్ 'న వర్తించు'." 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 ఉండాలి -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},ఉత్పత్తి ఆర్డర్ స్థితి {0} DocType: Appraisal Goal,Goal,గోల్ DocType: Sales Invoice Item,Edit Description,ఎడిట్ వివరణ ,Team Updates,టీమ్ నవీకరణలు @@ -1346,14 +1349,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,చైల్డ్ గిడ్డంగిలో ఈ గిడ్డంగిలో అవసరమయ్యారు. మీరు ఈ గిడ్డంగిలో తొలగించలేరు. DocType: Item,Website Item Groups,వెబ్సైట్ అంశం గుంపులు DocType: Purchase Invoice,Total (Company Currency),మొత్తం (కంపెనీ కరెన్సీ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} క్రమ సంఖ్య ఒకసారి కంటే ఎక్కువ ప్రవేశించింది +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 +78,{0} items in progress,{0} పురోగతి అంశాలను +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1415,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,బూట్స్ట్రాప్ 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,7 +1427,7 @@ 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 +260,Max: {0},మాక్స్: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,కమ్యూనికేషన్ లాగ్. @@ -1435,7 +1437,7 @@ DocType: Sales Invoice,Shipping Address Name,షిప్పింగ్ చి apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ఖాతాల చార్ట్ DocType: Material Request,Terms and Conditions Content,నియమాలు మరియు నిబంధనలు కంటెంట్ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 కంటే ఎక్కువ ఉండకూడదు -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} అంశం స్టాక్ అంశం కాదు +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} అంశం స్టాక్ అంశం కాదు DocType: Maintenance Visit,Unscheduled,అనుకోని DocType: Employee,Owned,ఆధ్వర్యంలోని DocType: Salary Detail,Depends on Leave Without Pay,పే లేకుండా వదిలి ఆధారపడి @@ -1466,7 +1468,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 +273,We buy this Item,మేము ఈ అంశం కొనుగోలు +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 నిల్వలను చూపించు @@ -1477,7 +1479,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 +266,Sub Assemblies,సబ్ అసెంబ్లీలకు +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,సబ్ అసెంబ్లీలకు DocType: Asset,Asset Name,ఆస్తి పేరు DocType: Project,Task Weight,టాస్క్ బరువు DocType: Shipping Rule Condition,To Value,విలువ @@ -1510,12 +1512,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,మూల 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 +239,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,చెల్లింపు పట్టిక కనుగొనబడలేదు రికార్డులు apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ఈ {0} తో విభేదాలు {1} కోసం {2} {3} DocType: Student Attendance Tool,Students HTML,స్టూడెంట్స్ HTML DocType: POS Profile,Apply Discount,డిస్కౌంట్ వర్తించు -DocType: Purchase Invoice Item,GST HSN Code,జిఎస్టి HSN కోడ్ +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 +283,Packing Slip(s) cancelled,రద్దు ప్యాకింగ్ స్లిప్ (లు) @@ -1558,8 +1560,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 +2573,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,బాక్స్ +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 +873,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,స్వీకర్త జాబితా ఖాళీగా ఉంది. స్వీకర్త జాబితా సృష్టించడానికి దయచేసి @@ -1589,7 +1591,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,తిరిగి చెల్లించే విధానం DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","తనిఖీ, హోమ్ పేజీ వెబ్సైట్ కోసం డిఫాల్ట్ అంశం గ్రూప్ ఉంటుంది" DocType: Quality Inspection Reading,Reading 4,4 పఠనం -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},కోసం {0} ప్రాజెక్ట్ కోసం దొరకలేదు డిఫాల్ట్ BOM {1} 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} @@ -1606,29 +1607,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,క్రొత apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,కొటేషన్ చేయండి apps/erpnext/erpnext/config/selling.py +216,Other Reports,ఇతర నివేదికలు DocType: Dependent Task,Dependent Task,అస్వతంత్ర టాస్క్ -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},మెజర్ యొక్క డిఫాల్ట్ యూనిట్ మార్పిడి అంశం వరుసగా 1 ఉండాలి {0} +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 రోజులు కార్యకలాపాలు ప్రణాళిక ప్రయత్నించండి. 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} DocType: SMS Center,Receiver List,స్వీకర్త జాబితా -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,శోధన అంశం +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,ఇప్పటికే పూర్తి +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/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 +263,Quantity must not be more than {0},పరిమాణం కంటే ఎక్కువ ఉండకూడదు {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,ఖాతా పేరు apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,తేదీ తేదీ కంటే ఎక్కువ ఉండకూడదు నుండి -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,సీరియల్ లేవు {0} పరిమాణం {1} ఒక భిన్నం ఉండకూడదు +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,సీరియల్ లేవు {0} పరిమాణం {1} ఒక భిన్నం ఉండకూడదు apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,సరఫరాదారు టైప్ మాస్టర్. 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 ఉండకూడదు @@ -1636,6 +1637,7 @@ 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: Delivery Note,Vehicle Dispatch Date,వాహనం డిస్పాచ్ తేదీ +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదులు {0} సమర్పించిన లేదు DocType: Company,Default Payable Account,డిఫాల్ట్ చెల్లించవలసిన ఖాతా apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ఇటువంటి షిప్పింగ్ నియమాలు, ధర జాబితా మొదలైనవి ఆన్లైన్ షాపింగ్ కార్ట్ కోసం సెట్టింగులు" @@ -1691,7 +1693,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,ఆకులు ఆ DocType: Sales Invoice,Packed Items,ప్యాక్ చేసిన అంశాలు apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,సీరియల్ నంబర్ వ్యతిరేకంగా వారంటీ దావా DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",అది ఉపయోగించిన అన్ని ఇతర BOMs ఒక నిర్దిష్ట BOM పునఃస్థాపించుము. ఇది పాత BOM లింక్ స్థానంలో ఖర్చు అప్డేట్ మరియు నూతన BOM ప్రకారం "BOM ప్రేలుడు అంశం" పట్టిక పునరుత్పత్తి చేస్తుంది -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','మొత్తం' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','మొత్తం' DocType: Shopping Cart Settings,Enable Shopping Cart,షాపింగ్ కార్ట్ ప్రారంభించు DocType: Employee,Permanent Address,శాశ్వత చిరునామా apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1727,6 +1729,7 @@ DocType: Material Request,Transferred,బదిలీ DocType: Vehicle,Doors,ది డోర్స్ apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి! DocType: Course Assessment Criteria,Weightage,వెయిటేజీ +DocType: Sales 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,7 +1749,7 @@ 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 +699,Offline,ఆఫ్లైన్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 కొరకు అభ్యర్ధించే @@ -1763,7 +1766,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ప్రధా apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,వేరియంట్ DocType: Naming Series,Set prefix for numbering series on your transactions,మీ లావాదేవీలపై సిరీస్ నంబరింగ్ కోసం సెట్ ఉపసర్గ DocType: Employee Attendance Tool,Employees HTML,ఉద్యోగులు HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి DocType: Employee,Leave Encashed?,Encashed వదిలి? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ఫీల్డ్ నుండి అవకాశం తప్పనిసరి DocType: Email Digest,Annual Expenses,వార్షిక ఖర్చులు @@ -1776,7 +1779,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 +175,Work-in-Progress Warehouse is required before Submit,పని లో ప్రోగ్రెస్ వేర్హౌస్ సమర్పించండి ముందు అవసరం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,మీ సరఫరాదారు గురించి స్టాట్యుటరీ సమాచారం మరియు ఇతర సాధారణ సమాచారం @@ -1786,7 +1789,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,స్టూడెంట్ గ్రూప్ శక్తి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,జర్నల్ వ్యతిరేకంగా ఎంట్రీ {0} ఏదైనా సరిపోలని {1} ఎంట్రీ లేదు apps/erpnext/erpnext/config/hr.py +137,Appraisals,అంచనాలు -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},సీరియల్ అంశం ఏదీ ప్రవేశించింది నకిలీ {0} +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}. ఓవర్ బిల్లింగ్ అనుమతించేందుకు, సెట్టింగులు కొనుగోలు లో సెట్ చెయ్యండి" @@ -1795,7 +1798,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,చెల్లింపు @@ -1814,12 +1817,12 @@ 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 +257,"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 +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.","మీరు కొనుగోలు లేదా విక్రయించడం మీ ఉత్పత్తులు లేదా సేవల జాబితా. మీరు మొదలుపెడితే మెజర్ మరియు ఇతర లక్షణాలు అంశం గ్రూప్, యూనిట్ తనిఖీ నిర్ధారించుకోండి." 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: Asset Movement,Asset Movement,ఆస్తి ఉద్యమం -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,న్యూ కార్ట్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,వీల్స్ @@ -1845,7 +1848,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,కొనుగోలు రసీదులు నుండి అంశాలను పొందండి DocType: Serial No,Creation Date,సృష్టి తేదీ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} అంశం ధర జాబితా లో అనేకసార్లు కనిపిస్తుంది {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","వర్తించే ఎంపిక ఉంది ఉంటే సెల్లింగ్, తనిఖీ చెయ్యాలి {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","వర్తించే ఎంపిక ఉంది ఉంటే సెల్లింగ్, తనిఖీ చెయ్యాలి {0}" DocType: Production Plan Material Request,Material Request Date,మెటీరియల్ అభ్యర్థన తేదీ DocType: Purchase Order Item,Supplier Quotation Item,సరఫరాదారు కొటేషన్ అంశం DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ఉత్పత్తి ఆర్డర్స్ వ్యతిరేకంగా సమయం చిట్టాల యొక్క సృష్టి ఆపివేస్తుంది. ఆపరేషన్స్ ఉత్పత్తి ఉత్తర్వు మీద ట్రాక్ ఉండదు @@ -1862,12 +1865,12 @@ DocType: Supplier,Supplier of Goods or Services.,"వస్తు, సేవల DocType: Budget,Fiscal Year,ఆర్థిక సంవత్సరం DocType: Vehicle Log,Fuel Price,ఇంధన ధర DocType: Budget,Budget,బడ్జెట్ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,స్థిర ఆస్తి అంశం కాని స్టాక్ అంశం ఉండాలి. +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 +209,e.g. 5,ఉదా 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,మీరు సేల్స్ వాయిస్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది. @@ -1876,7 +1879,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 +263,A Product or Service,ఒక ఉత్పత్తి లేదా సేవ +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,కరెంట్ వేల్యూ @@ -1951,7 +1954,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,పెయిర్ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,పెయిర్ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి DocType: Asset,Depreciation Schedule,అరుగుదల షెడ్యూల్ apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,అమ్మకపు భాగస్వామిగా చిరునామాల్లో కాంటాక్ట్స్ @@ -1970,10 +1973,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},అంశం గ్రూప్ అంశం కోసం అంశాన్ని మాస్టర్ ప్రస్తావించలేదు {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి +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,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి DocType: Shipping Rule Condition,Shipping Amount,షిప్పింగ్ మొత్తం -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,వినియోగదారుడు జోడించండి +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,6 +1993,7 @@ DocType: Journal Entry,Accounts Receivable,స్వీకరించదగి ,Supplier-Wise Sales Analytics,సరఫరాదారు వివేకవంతుడు సేల్స్ Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,చెల్లింపు మొత్తం ఎంటర్ DocType: Salary Structure,Select employees for current Salary Structure,ప్రస్తుత జీతం నిర్మాణం ఉద్యోగులను ఎంచుకోండి +DocType: Sales Invoice,Company Address Name,సంస్థ చిరునామా పేరు 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)",మాతృ కోర్సు (ఖాళీ వదిలి ఈ మాతృ కోర్సు భాగం కాదు ఉంటే) @@ -2010,7 +2014,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 +269,Unit,యూనిట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,మీరు తిరస్కరించారు అంశాల స్టాక్ కలిగివున్నాయి గిడ్డంగిలో @@ -2031,7 +2035,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ అమ్మకాల ఉత్తర్వు ఒకటి, సేల్స్ వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: టైమ్ నుండి మరియు సమయం తప్పనిసరి. DocType: Stock Reconciliation Item,Amount Difference,మొత్తం తక్షణ @@ -2040,7 +2044,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,ప్రాంతం ద్వారా వినియోగదారుడు వర్గీకరణ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,తేడా సొమ్ము సున్నా ఉండాలి DocType: Project,Gross Margin,స్థూల సరిహద్దు -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,మొదటి ఉత్పత్తి అంశం నమోదు చేయండి +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 +748,Quotation,కొటేషన్ @@ -2052,7 +2056,7 @@ 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: Opportunity,Customer / Lead Address,కస్టమర్ / లీడ్ చిరునామా -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},హెచ్చరిక: అటాచ్మెంట్ చెల్లని SSL సర్టిఫికెట్ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},హెచ్చరిక: అటాచ్మెంట్ చెల్లని SSL సర్టిఫికెట్ {0} DocType: Student Admission,Eligibility,అర్హత apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","లీడ్స్ మీరు వ్యాపార, అన్ని మీ పరిచయాలను మరియు మరింత మీ లీడ్స్ జోడించడానికి పొందడానికి సహాయంగా" DocType: Production Order Operation,Actual Operation Time,అసలు ఆపరేషన్ సమయం @@ -2071,11 +2075,11 @@ DocType: Appraisal,Calculate Total Score,మొత్తం స్కోరు DocType: Request for Quotation,Manufacturing Manager,తయారీ మేనేజర్ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},సీరియల్ లేవు {0} వరకు వారంటీ కింద {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ప్యాకేజీలు స్ప్లిట్ డెలివరీ గమనించండి. -apps/erpnext/erpnext/hooks.py +87,Shipments,ప్యాకేజీల +apps/erpnext/erpnext/hooks.py +94,Shipments,ప్యాకేజీల DocType: Payment Entry,Total Allocated Amount (Company Currency),మొత్తం కేటాయించిన మొత్తం (కంపెనీ కరెన్సీ) DocType: Purchase Order Item,To be delivered to customer,కస్టమర్ పంపిణీ ఉంటుంది DocType: BOM,Scrap Material Cost,స్క్రాప్ మెటీరియల్ కాస్ట్ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,సీరియల్ లేవు {0} ఏదైనా వేర్హౌస్ చెందినది కాదు +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,సీరియల్ లేవు {0} ఏదైనా వేర్హౌస్ చెందినది కాదు DocType: Purchase Invoice,In Words (Company Currency),వర్డ్స్ (కంపెనీ కరెన్సీ) DocType: Asset,Supplier,సరఫరాదారు DocType: C-Form,Quarter,క్వార్టర్ @@ -2090,11 +2094,10 @@ DocType: Leave Application,Total Leave Days,మొత్తం లీవ్ డ DocType: Email Digest,Note: Email will not be sent to disabled users,గమనిక: ఇమెయిల్ వికలాంగ వినియోగదారులకు పంపబడదు apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ఇంటరాక్షన్ సంఖ్య apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ఇంటరాక్షన్ సంఖ్య -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,అంశం code> అంశం గ్రూప్> బ్రాండ్ 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 +408,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","కనీసం ఒక వరుసలో కేటాయించిన మొత్తం, వాయిస్ పద్ధతి మరియు వాయిస్ సంఖ్య దయచేసి ఎంచుకోండి" @@ -2138,7 +2141,8 @@ 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,సియిఒ DocType: Expense Claim Detail,Expense Claim Detail,ఖర్చు చెప్పడం వివరాలు -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,సరైన ఖాతాను ఎంచుకోండి +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,సరఫరా కోసం మూడు ప్రతులు +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,సరైన ఖాతాను ఎంచుకోండి DocType: Item,Weight UOM,బరువు UoM DocType: Salary Structure Employee,Salary Structure Employee,జీతం నిర్మాణం ఉద్యోగి DocType: Employee,Blood Group,రక్తం గ్రూపు @@ -2160,7 +2164,7 @@ DocType: Student,Guardians,గార్దియన్స్ 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 +336,Debit To is required,డెబిట్ అవసరం ఉంది +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ఆఫర్ టర్మ్ @@ -2173,7 +2177,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},మొత్తం DocType: BOM Website Operation,BOM Website Operation,బిఒఎం వెబ్సైట్ ఆపరేషన్ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,లెటర్ ఆఫర్ apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,మెటీరియల్ అభ్యర్థనలు (MRP) మరియు ఉత్పత్తి ఆర్డర్స్ ఉత్పత్తి. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,మొత్తం ఇన్వాయిస్ ఆంట్ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,మొత్తం ఇన్వాయిస్ ఆంట్ DocType: BOM,Conversion Rate,మారకపు ధర apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ఉత్పత్తి శోధన DocType: Timesheet Detail,To Time,సమయం @@ -2188,7 +2192,7 @@ 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} స్టాక్ సయోధ్య ఉపయోగించి, దయచేసి ఉపయోగించడానికి స్టాక్ ఎంట్రీ నవీకరించడం సాధ్యపడదు" DocType: Training Event Employee,Training Event Employee,శిక్షణ ఈవెంట్ ఉద్యోగి -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} అంశం అవసరం సీరియల్ సంఖ్యలు {1}. మీరు అందించిన {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} అంశం అవసరం సీరియల్ సంఖ్యలు {1}. మీరు అందించిన {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,ప్రస్తుత లెక్కింపు రేటు DocType: Item,Customer Item Codes,కస్టమర్ Item కోడులు apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ఎక్స్చేంజ్ పెరుగుట / నష్టం @@ -2235,7 +2239,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 +2454,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,19 +2263,19 @@ DocType: Leave Block List,Allow Users,వినియోగదారులు DocType: Purchase Order,Customer Mobile No,కస్టమర్ మొబైల్ లేవు DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ప్రత్యేక ఆదాయం ట్రాక్ మరియు ఉత్పత్తి అంశాలతో లేదా విభాగాలు వ్యయం. DocType: Rename Tool,Rename Tool,టూల్ పేరుమార్చు -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,నవీకరణ ఖర్చు +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 +438,Show Salary Slip,జీతం షో స్లిప్ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,పన్నులు జోడించండి +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,బడ్జెట్ ఖాతా @@ -2282,6 +2286,7 @@ DocType: Stock Entry,Purchase Receipt No,కొనుగోలు రసీద apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ఎర్నెస్ట్ మనీ DocType: Process Payroll,Create Salary Slip,వేతనం స్లిప్ సృష్టించు apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,కనిపెట్టగలిగే శక్తి +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC కోడ్ 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 @@ -2311,7 +2316,7 @@ DocType: Employee Education,Post Graduate,పోస్ట్ గ్రాడ్ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,నిర్వహణ షెడ్యూల్ వివరాలు DocType: Quality Inspection Reading,Reading 9,9 పఠనం DocType: Supplier,Is Frozen,ఘనీభవించిన -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,గ్రూప్ నోడ్ గిడ్డంగిలో లావాదేవీలకు ఎంచుకోండి అనుమతి లేదు +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,గ్రూప్ నోడ్ గిడ్డంగిలో లావాదేవీలకు ఎంచుకోండి అనుమతి లేదు DocType: Buying Settings,Buying Settings,కొనుగోలు సెట్టింగ్స్ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ఒక ఫినిష్డ్ మంచి అంశం BOM నం DocType: Upload Attendance,Attendance To Date,తేదీ హాజరు @@ -2327,13 +2332,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి." +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.js +153,You can not change rate if BOM mentioned agianst any item,బిఒఎం ఏ అంశం agianst పేర్కొన్నారు ఉంటే మీరు రేటు మార్చలేరు +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,పరిమాణం apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},వరుస వద్ద అంశం {0} ప్రణాలిక ప్యాక్ చేసిన అంశాల నమోదు చేయండి {1} @@ -2355,7 +2360,7 @@ DocType: Authorization Rule,Authorized Value,ఆథరైజ్డ్ వి DocType: BOM,Show Operations,ఆపరేషన్స్ షో ,Minutes to First Response for Opportunity,అవకాశం కోసం మొదటి రెస్పాన్స్ మినిట్స్ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,మొత్తం కరువవడంతో -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,కొలమానం DocType: Fiscal Year,Year End Date,ఇయర్ ముగింపు తేదీ DocType: Task Depends On,Task Depends On,టాస్క్ ఆధారపడి @@ -2426,7 +2431,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},అమ్మకాల ఆర్డర్ పరిమాణం కంటే ఎక్కువ అంశం {0} ఉత్పత్తి కాదు {1} +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/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,తదుపరి సంప్రదించండి ద్వారా లీడ్ ఇమెయిల్ అడ్రస్ అదే ఉండకూడదు @@ -2523,9 +2528,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Ref DocType: Budget,Cost Center,వ్యయ కేంద్రం apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,ఓచర్ # DocType: Notification Control,Purchase Order Message,ఆర్డర్ సందేశం కొనుగోలు @@ -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.","ఎంపిక ధర రూల్ 'ధర' కోసం చేసిన ఉంటే, అది ధర జాబితా తిరిగి రాస్తుంది. ధర రూల్ ధర తుది ధర ఇది, కాబట్టి ఎటువంటి తగ్గింపు పూయాలి. అందుకే, 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 +1165,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,స్టాక్ సెట్టింగ్స్ @@ -2560,7 +2565,7 @@ DocType: Project,Task Completion,టాస్క్ పూర్తి apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,కాదు స్టాక్ DocType: Appraisal,HR User,ఆర్ వాడుకరి DocType: Purchase Invoice,Taxes and Charges Deducted,పన్నులు మరియు ఆరోపణలు తగ్గించబడుతూ -apps/erpnext/erpnext/hooks.py +116,Issues,ఇష్యూస్ +apps/erpnext/erpnext/hooks.py +124,Issues,ఇష్యూస్ apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},స్థితి ఒకటి ఉండాలి {0} DocType: Sales Invoice,Debit To,డెబిట్ DocType: Delivery Note,Required only for sample item.,నమూనా మాత్రమే అంశం కోసం అవసరం. @@ -2589,6 +2594,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,భూభాగం apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,అవసరం సందర్శనల సంఖ్య చెప్పలేదు దయచేసి DocType: Stock Settings,Default Valuation Method,డిఫాల్ట్ లెక్కింపు విధానం +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ఫీజు DocType: Vehicle Log,Fuel Qty,ఇంధన ప్యాక్ చేసిన అంశాల DocType: Production Order Operation,Planned Start Time,అనుకున్న ప్రారంభ సమయం DocType: Course,Assessment,అసెస్మెంట్ @@ -2598,12 +2604,12 @@ 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 +149,Quotation {0} is cancelled,కొటేషన్ {0} రద్దు -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని DocType: Sales Partner,Targets,టార్గెట్స్ DocType: Price List,Price List Master,ధర జాబితా మాస్టర్ DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,మీరు సెట్ మరియు లక్ష్యాలు మానిటర్ విధంగా అన్ని సేల్స్ లావాదేవీలు బహుళ ** సేల్స్ పర్సన్స్ ** వ్యతిరేకంగా ట్యాగ్ చేయవచ్చు. ,S.O. No.,SO నం -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},లీడ్ నుండి కస్టమర్ సృష్టించడానికి దయచేసి {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},లీడ్ నుండి కస్టమర్ సృష్టించడానికి దయచేసి {0} DocType: Price List,Applicable for Countries,దేశాలు వర్తించే apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,మాత్రమే స్థితి కూడిన దరఖాస్తులను లీవ్ 'ఆమోదించబడింది' మరియు '' తిరస్కరించింది సమర్పించిన చేయవచ్చు apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},స్టూడెంట్ గ్రూప్ పేరు వరుసగా తప్పనిసరి {0} @@ -2640,6 +2646,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/config/hr.py +163,Define various loan types,వివిధ రకాల రుణాలపై నిర్వచించండి DocType: Bin,FCFS Rate,FCFS రేటు DocType: Payment Reconciliation Invoice,Outstanding Amount,అసాధారణ పరిమాణం @@ -2682,8 +2689,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,తయారీ కోస 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.,డిస్కౌంట్ శాతం ఒక ధర జాబితా వ్యతిరేకంగా లేదా అన్ని ధర జాబితా కోసం గాని అన్వయించవచ్చు. DocType: Purchase Invoice,Half-yearly,సగం వార్షిక apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,మీరు ఇప్పటికే అంచనా ప్రమాణం కోసం అంచనా {}. DocType: Vehicle Service,Engine Oil,ఇంజన్ ఆయిల్ -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి సెటప్ను ఉద్యోగి మానవ వనరుల వ్యవస్థ నామకరణ> ఆర్ సెట్టింగులు 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,కస్టమర్ చిరునామా @@ -2711,7 +2718,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,సంస్థ చెందిన ఖాతాల ప్రత్యేక చార్ట్ తో లీగల్ సంస్థ / అనుబంధ. DocType: Payment Request,Mute Email,మ్యూట్ ఇమెయిల్ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ఫుడ్, బేవరేజ్ పొగాకు" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},మాత్రమే వ్యతిరేకంగా చెల్లింపు చేయవచ్చు unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},మాత్రమే వ్యతిరేకంగా చెల్లింపు చేయవచ్చు unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,కమిషన్ రేటు కంటే ఎక్కువ 100 ఉండకూడదు DocType: Stock Entry,Subcontract,Subcontract apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ముందుగా {0} నమోదు చేయండి @@ -2739,7 +2746,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,స్టూడెంట్ మంత్లీ హాజరు షీట్ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} ఇప్పటికే దరఖాస్తు చేశారు {1} మధ్య {2} మరియు {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ప్రాజెక్ట్ ప్రారంభ తేదీ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,వరకు +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,వరకు DocType: Rename Tool,Rename Log,లోనికి ప్రవేశించండి పేరుమార్చు apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,స్టూడెంట్ గ్రూప్ లేదా కోర్సు షెడ్యూల్ తప్పనిసరి DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,బిల్లింగ్ గంటలు మరియు వర్కింగ్ అవర్స్ timesheet అదే నిర్వహించడానికి @@ -2763,7 +2770,7 @@ DocType: Purchase Order Item,Returned Qty,తిరిగి ప్యాక్ DocType: Employee,Exit,నిష్క్రమణ apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,రూట్ టైప్ తప్పనిసరి DocType: BOM,Total Cost(Company Currency),మొత్తం వ్యయం (కంపెనీ కరెన్సీ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} రూపొందించినవారు సీరియల్ లేవు +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,{0} రూపొందించినవారు సీరియల్ లేవు DocType: Homepage,Company Description for website homepage,వెబ్సైట్ హోమ్ కోసం కంపెనీ వివరణ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","వినియోగదారుల సౌలభ్యం కోసం, ఈ సంకేతాలు ఇన్వాయిస్లు మరియు డెలివరీ గమనికలు వంటి ముద్రణ ఫార్మాట్లలో ఉపయోగించవచ్చు" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier పేరు @@ -2783,7 +2790,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS గేట్వే URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,కోర్సు షెడ్యూల్స్ తొలగించారు: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS పంపిణీ స్థితి నిర్వహించాల్సిన దినచర్య DocType: Accounts Settings,Make Payment via Journal Entry,జర్నల్ ఎంట్రీ ద్వారా చెల్లింపు చేయండి -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,ప్రింటెడ్ న +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,ప్రింటెడ్ న DocType: Item,Inspection Required before Delivery,ఇన్స్పెక్షన్ డెలివరీ ముందు అవసరం DocType: Item,Inspection Required before Purchase,తనిఖీ కొనుగోలు ముందు అవసరం apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,పెండింగ్ చర్యలు @@ -2815,9 +2822,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,స్ట apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,పరిమితి దాటి apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,ఈ 'విద్యా సంవత్సరం' ఒక విద్యాపరమైన పదం {0} మరియు 'టర్మ్ పేరు' {1} ఇప్పటికే ఉంది. ఈ ప్రవేశాలు మార్చి మళ్ళీ ప్రయత్నించండి. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","అంశం {0} వ్యతిరేకంగా ఇప్పటికే లావాదేవీలు ఉన్నాయి, మీరు విలువ మార్చలేరు {1}" +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}","అంశం {0} వ్యతిరేకంగా ఇప్పటికే లావాదేవీలు ఉన్నాయి, మీరు విలువ మార్చలేరు {1}" DocType: UOM,Must be Whole Number,మొత్తం సంఖ్య ఉండాలి DocType: Leave Control Panel,New Leaves Allocated (In Days),(రోజుల్లో) కేటాయించిన కొత్త ఆకులు +DocType: Sales Invoice,Invoice Copy,వాయిస్ కాపీ apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,సీరియల్ లేవు {0} ఉనికిలో లేదు DocType: Sales Invoice Item,Customer Warehouse (Optional),కస్టమర్ వేర్హౌస్ (ఆప్షనల్) DocType: Pricing Rule,Discount Percentage,డిస్కౌంట్ శాతం @@ -2862,8 +2870,10 @@ 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 +305,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,పోగుచేసిన తరుగుదల ఖాతా DocType: Stock Settings,Freeze Stock Entries,ఫ్రీజ్ స్టాక్ ఎంట్రీలు +DocType: Program Enrollment,Boarding Student,బోర్డింగ్ విద్యార్థి DocType: Asset,Expected Value After Useful Life,వినియోగ జీవితం అయిపోయిన తరువాత ఆశిస్తున్న విలువ DocType: Item,Reorder level based on Warehouse,వేర్హౌస్ ఆధారంగా క్రమాన్ని స్థాయి DocType: Activity Cost,Billing Rate,బిల్లింగ్ రేటు @@ -2890,11 +2900,11 @@ DocType: Serial No,Warranty / AMC Details,వారంటీ / AMC వివర apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,కార్యాచరణ ఆధారంగా గ్రూప్ కోసం మానవీయంగా విద్యార్థులు ఎంచుకోండి DocType: Journal Entry,User Remark,వాడుకరి వ్యాఖ్య DocType: Lead,Market Segment,మార్కెట్ విభాగానికీ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},మొత్తం చెల్లించారు మొత్తం ప్రతికూల అసాధారణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},మొత్తం చెల్లించారు మొత్తం ప్రతికూల అసాధారణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0} DocType: Employee Internal Work History,Employee Internal Work History,Employee అంతర్గత వర్క్ చరిత్ర apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),మూసివేయడం (డాక్టర్) DocType: Cheque Print Template,Cheque Size,ప్రిపే సైజు -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,లేదు స్టాక్ సీరియల్ లేవు {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,లేదు స్టాక్ సీరియల్ లేవు {0} apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,లావాదేవీలు అమ్మకం పన్ను టెంప్లేట్. DocType: Sales Invoice,Write Off Outstanding Amount,అత్యుత్తమ మొత్తం ఆఫ్ వ్రాయండి apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ఖాతా {0} కంపెనీతో సరిపోలడం లేదు {1} @@ -2918,7 +2928,7 @@ 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 +348,Add a few sample records,కొన్ని నమూనా రికార్డులు జోడించండి +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,పూర్తిగా పంపిణీ @@ -2932,17 +2942,17 @@ 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 +418,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,సీరియల్ లేవు మరియు బ్యాచ్ DocType: Warranty Claim,From Company,కంపెనీ నుండి -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,అంచనా ప్రమాణం స్కోర్లు మొత్తం {0} ఉండాలి. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,అంచనా ప్రమాణం స్కోర్లు మొత్తం {0} ఉండాలి. 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 +270,Minute,నిమిషం +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,నిమిషం DocType: Purchase Invoice,Purchase Taxes and Charges,పన్నులు మరియు ఆరోపణలు కొనుగోలు ,Qty to Receive,స్వీకరించడానికి అంశాల DocType: Leave Block List,Leave Block List Allowed,బ్లాక్ జాబితా అనుమతించబడినవి వదిలి @@ -2962,7 +2972,7 @@ DocType: Production Order,PRO-,ప్రో- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,బ్యాంక్ ఓవర్డ్రాఫ్ట్ ఖాతా apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,వేతనం స్లిప్ చేయండి apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,రో # {0}: కేటాయించిన సొమ్ము బాకీ మొత్తం కంటే ఎక్కువ ఉండకూడదు. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,బ్రౌజ్ BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,బ్రౌజ్ BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,సెక్యూర్డ్ లోన్స్ DocType: Purchase Invoice,Edit Posting Date and Time,పోస్ట్ చేసిన తేదీ మరియు సమయం మార్చు apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ఆస్తి వర్గం {0} లేదా కంపెనీ లో అరుగుదల సంబంధించిన అకౌంట్స్ సెట్ దయచేసి {1} @@ -2978,7 +2988,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 +278,Select Quantity,Select పరిమాణం +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,ఈ ఇమెయిల్ డైజెస్ట్ నుండి సభ్యత్వాన్ని రద్దు @@ -3001,6 +3011,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},లేదు కంటే పాత స్టాక్ లావాదేవీలు అప్డేట్ అనుమతి {0} DocType: Purchase Invoice Item,PR Detail,పిఆర్ వివరాలు DocType: Sales Order,Fully Billed,పూర్తిగా కస్టమర్లకు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు టైప్ 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 +127,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),ప్యాకేజీ యొక్క స్థూల బరువు. సాధారణంగా నికర బరువు + ప్యాకేజింగ్ పదార్థం బరువు. (ముద్రణ కోసం) @@ -3038,8 +3049,9 @@ 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} సమర్పించిన లేదు కొనుగోలు DocType: Customs Tariff Number,Tariff Number,టారిఫ్ సంఖ్య +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP వేర్హౌస్ వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ప్రొజెక్టెడ్ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},సీరియల్ లేవు {0} వేర్హౌస్ చెందినది కాదు {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},సీరియల్ లేవు {0} వేర్హౌస్ చెందినది కాదు {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,గమనిక: {0} పరిమాణం లేదా మొత్తం 0 డెలివరీ ఓవర్ మరియు ఓవర్ బుకింగ్ అంశం కోసం సిస్టమ్ తనిఖీ చెయ్యదు DocType: Notification Control,Quotation Message,కొటేషన్ సందేశం DocType: Employee Loan,Employee Loan Application,ఉద్యోగి లోన్ అప్లికేషన్ @@ -3057,13 +3069,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,అడుగుపెట్టాయి ఖర్చు ఓచర్ మొత్తం apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,సప్లయర్స్ పెంచింది బిల్లులు. DocType: POS Profile,Write Off Account,ఖాతా ఆఫ్ వ్రాయండి -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,డెబిట్ గమనిక ఆంట్ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,డెబిట్ గమనిక ఆంట్ apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,డిస్కౌంట్ మొత్తం 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 +207,e.g. VAT,ఉదా వేట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,సబ్ కాంట్రాక్టు @@ -3071,7 +3083,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 +1945,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి DocType: C-Form,I,నేను DocType: Company,Asset Depreciation Cost Center,ఆస్తి అరుగుదల వ్యయ కేంద్రం DocType: Sales Order Item,Sales Order Date,సేల్స్ ఆర్డర్ తేదీ @@ -3100,7 +3112,7 @@ DocType: Lead,Address Desc,Desc పరిష్కరించేందుకు apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,పార్టీ తప్పనిసరి DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,టాపిక్ పేరు -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,సెల్లింగ్ లేదా కొనుగోలు కనీసం ఒక ఎంపిక చేయాలి +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,సెల్లింగ్ లేదా కొనుగోలు కనీసం ఒక ఎంపిక చేయాలి apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,మీ వ్యాపార స్వభావం ఎంచుకోండి. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},రో # {0}: సూచనలు లో ఎంట్రీ నకిలీ {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ఉత్పాదక కార్యకలాపాల ఎక్కడ నిర్వహిస్తున్నారు. @@ -3109,7 +3121,7 @@ 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} DocType: Employee,Confirmation Date,నిర్ధారణ తేదీ DocType: C-Form,Total Invoiced Amount,మొత్తం ఇన్వాయిస్ మొత్తం -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min ప్యాక్ చేసిన అంశాల మాక్స్ ప్యాక్ చేసిన అంశాల కంటే ఎక్కువ ఉండకూడదు +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min ప్యాక్ చేసిన అంశాల మాక్స్ ప్యాక్ చేసిన అంశాల కంటే ఎక్కువ ఉండకూడదు DocType: Account,Accumulated Depreciation,పోగుచేసిన తరుగుదల DocType: Stock Entry,Customer or Supplier Details,కస్టమర్ లేదా సరఫరాదారు వివరాలు DocType: Employee Loan Application,Required by Date,తేదీ ద్వారా అవసరం @@ -3138,10 +3150,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ఆర్డ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,కంపెనీ పేరు కంపెనీ ఉండకూడదు apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ముద్రణ టెంప్లేట్లు లెటర్ హెడ్స్. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ముద్రణ టెంప్లేట్లు కోసం శీర్షికలు ప్రొఫార్మా ఇన్వాయిస్ ఉదా. +DocType: Program Enrollment,Walking,వాకింగ్ DocType: Student Guardian,Student Guardian,స్టూడెంట్ గార్డియన్ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,వాల్యువేషన్ రకం ఆరోపణలు ఇన్క్లుసివ్ వంటి గుర్తించబడిన చేయవచ్చు DocType: POS Profile,Update Stock,నవీకరణ స్టాక్ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు టైప్ apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"అంశాలు, వివిధ UoM తప్పు (మొత్తం) నికర బరువు విలువ దారి తీస్తుంది. ప్రతి అంశం యొక్క నికర బరువు అదే UoM లో ఉంది నిర్ధారించుకోండి." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,బిఒఎం రేటు DocType: Asset,Journal Entry for Scrap,స్క్రాప్ జర్నల్ ఎంట్రీ @@ -3193,7 +3205,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,షో పన్ను విడిపోవడానికి apps/erpnext/erpnext/accounts/party.py +308,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,తోబుట్టువుల విద్యార్థులు దొరకలేదు @@ -3212,14 +3223,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,స్టూడెంట్స్ లో లేవు +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 +108,Please enter 'Expected Delivery Date','ఊహించినది డెలివరీ తేదీ' నమోదు చేయండి apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,చెల్లని GSTIN లేదా నమోదుకాని కోసం NA ఎంటర్ +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3260,23 @@ DocType: Sales Team,Contribution (%),కాంట్రిబ్యూషన్ apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,గమనిక: చెల్లింపు ఎంట్రీ నుండి రూపొందించినవారు కాదు 'నగదు లేదా బ్యాంక్ ఖాతా' పేర్కొనబడలేదు apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,బాధ్యతలు DocType: Expense Claim Account,Expense Claim Account,ఖర్చు చెప్పడం ఖాతా +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} సెటప్> సెట్టింగ్స్ ద్వారా> నామకరణ సిరీస్ నామకరణ సెట్ దయచేసి 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,వినియోగదారులను జోడించండి 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 ఉండకూడదు. DocType: Stock Reconciliation Item,Before reconciliation,సయోధ్య ముందు apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},కు {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),పన్నులు మరియు ఆరోపణలు చేర్చబడింది (కంపెనీ కరెన్సీ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,అంశం పన్ను రో {0} రకం పన్ను లేదా ఆదాయం వ్యయం లేదా విధింపదగిన యొక్క ఖాతా ఉండాలి +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,అంశం పన్ను రో {0} రకం పన్ను లేదా ఆదాయం వ్యయం లేదా విధింపదగిన యొక్క ఖాతా ఉండాలి DocType: Sales Order,Partly Billed,పాక్షికంగా గుర్తింపు పొందిన apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,అంశం {0} ఒక స్థిర ఆస్తి అంశం ఉండాలి DocType: Item,Default BOM,డిఫాల్ట్ BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,డెబిట్ గమనిక మొత్తం +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,డెబిట్ గమనిక మొత్తం apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,తిరిగి రకం కంపెనీ పేరు నిర్ధారించడానికి దయచేసి -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,మొత్తం అద్భుతమైన ఆంట్ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,మొత్తం అద్భుతమైన ఆంట్ DocType: Journal Entry,Printing Settings,ప్రింటింగ్ సెట్టింగ్స్ DocType: Sales Invoice,Include Payment (POS),చెల్లింపు చేర్చండి (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},మొత్తం డెబిట్ మొత్తం క్రెడిట్ సమానంగా ఉండాలి. తేడా {0} @@ -3271,20 +3284,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ఆట DocType: Vehicle,Insurance Company,ఇన్సూరెన్స్ కంపెనీ DocType: Asset Category Account,Fixed Asset Account,స్థిర ఆస్తి ఖాతా apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,వేరియబుల్ -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,డెలివరీ గమనిక +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,డెలివరీ గమనిక DocType: Student,Student Email Address,స్టూడెంట్ ఇమెయిల్ అడ్రస్ DocType: Timesheet Detail,From Time,సమయం నుండి apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,అందుబాటులో ఉంది: DocType: Notification Control,Custom Message,కస్టమ్ సందేశం apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ఇన్వెస్ట్మెంట్ బ్యాంకింగ్ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,నగదు లేదా బ్యాంక్ ఖాతా చెల్లింపు ప్రవేశం చేయడానికి తప్పనిసరి -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్ను> సెటప్ ద్వారా హాజరు ధారావాహిక సంఖ్యలో నంబరింగ్ సిరీస్ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,స్టూడెంట్ అడ్రస్ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,స్టూడెంట్ అడ్రస్ 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 +1517,Address Name,చిరునామా పేరు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,చిరునామా పేరు DocType: Stock Entry,From BOM,బిఒఎం నుండి DocType: Assessment Code,Assessment Code,అసెస్మెంట్ కోడ్ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ప్రాథమిక @@ -3301,7 +3313,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు. +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/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,మంత్లీ నంతవరకు మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు @@ -3309,7 +3321,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,విద్యార్థిని అప్పటికే చేరతాడు. @@ -3318,7 +3330,7 @@ DocType: Process Payroll,Process Payroll,ప్రాసెస్ పేరో apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,పని రోజుల కంటే ఎక్కువ సెలవులు ఈ నెల ఉన్నాయి. DocType: Product Bundle Item,Product Bundle Item,ఉత్పత్తి కట్ట అంశం DocType: Sales Partner,Sales Partner Name,సేల్స్ భాగస్వామి పేరు -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,కొటేషన్స్ కోసం అభ్యర్థన DocType: Payment Reconciliation,Maximum Invoice Amount,గరిష్టంగా ఇన్వాయిస్ మొత్తం DocType: Student Language,Student Language,స్టూడెంట్ భాషా apps/erpnext/erpnext/config/selling.py +23,Customers,వినియోగదారుడు @@ -3329,7 +3341,7 @@ DocType: Asset,Partially Depreciated,పాక్షికంగా సింధ DocType: Issue,Opening Time,ప్రారంభ సమయం apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,నుండి మరియు అవసరమైన తేదీలు apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,సెక్యూరిటీస్ అండ్ కమోడిటీ ఎక్స్చేంజెస్ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',వేరియంట్ కోసం మెజర్ అప్రమేయ యూనిట్ '{0}' మూస లో అదే ఉండాలి '{1}' +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 +847,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి @@ -3348,7 +3360,7 @@ 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 +266,Raw Material,ముడి సరుకు +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను సొమ్ము @@ -3360,7 +3372,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,తేదీ తెరవడం తేదీ మూసివేయడం ముందు ఉండాలి -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} సెటప్> సెట్టింగ్స్ ద్వారా> నామకరణ సిరీస్ నామకరణ సెట్ దయచేసి 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.,రోజులు సెలవులు ఈ విభాగం కోసం బ్లాక్ చేయబడతాయి. @@ -3373,8 +3384,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',వర్గం 'వాల్యువేషన్' లేదా 'వాల్యుయేషన్ మరియు సంపూర్ణమైనది' కోసం ఉన్నప్పుడు తీసివేయు కాదు -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},సీరియల్ అంశం కోసం సీరియల్ మేము అవసరం {0} +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/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,బ్యాంక్ ఎంట్రీ DocType: Authorization Rule,Applicable To (Designation),వర్తించదగిన (హోదా) @@ -3391,7 +3402,7 @@ 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 +270,Hour,అవర్ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,మీరు బ్లాక్ తేదీలు ఆకులు ఆమోదించడానికి అధికారం లేదు @@ -3401,7 +3412,7 @@ 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 +645,Point of Sale,అమ్మకానికి పాయింట్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,అమ్మకానికి పాయింట్ DocType: Payment Entry,Received Amount,అందుకున్న మొత్తం DocType: GST Settings,GSTIN Email Sent On,GSTIN ఇమెయిల్ పంపించే DocType: Program Enrollment,Pick/Drop by Guardian,/ గార్డియన్ ద్వారా డ్రాప్ ఎంచుకోండి @@ -3418,8 +3429,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 +270,Gram,గ్రామ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి. +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/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,14 +3456,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 +465,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,బహుళ ఉద్యోగులకు మార్క్ హాజరు @@ -3484,7 +3495,7 @@ 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 +436,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,బిల్లింగ్ రాష్ట్రం @@ -3532,7 +3543,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},చెల్లని లక్షణం {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',దయచేసి 'అన్ని అసెస్మెంట్ గుంపులు' కంటే ఇతర అంచనా సమూహం ఎంచుకోండి @@ -3634,16 +3645,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,జీతం భాగ DocType: Program Enrollment Tool,New Academic Year,కొత్త విద్యా సంవత్సరం apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,రిటర్న్ / క్రెడిట్ గమనిక DocType: Stock Settings,Auto insert Price List rate if missing,ఆటో చొప్పించు ధర జాబితా రేటు లేదు ఉంటే -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,మొత్తం చెల్లించిన మొత్తాన్ని +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,మొత్తం చెల్లించిన మొత్తాన్ని DocType: Production Order Item,Transferred Qty,బదిలీ ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/config/learn.py +11,Navigating,నావిగేట్ 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 +272,We sell this Item,మేము ఈ అంశం అమ్మే +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,నమూనా డేటా 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,హాఫ్ డే తేదీ @@ -3691,7 +3704,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 +1186,Please set Company,కంపెనీ సెట్ దయచేసి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,కంపెనీ సెట్ దయచేసి DocType: Pricing Rule,Buying,కొనుగోలు DocType: HR Settings,Employee Records to be created by,Employee రికార్డ్స్ ద్వారా సృష్టించబడుతుంది DocType: POS Profile,Apply Discount On,డిస్కౌంట్ న వర్తించు @@ -3708,13 +3721,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,ఫీజు సేకరించండి DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},బార్కోడ్ {0} ఇప్పటికే అంశం ఉపయోగిస్తారు {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},బార్కోడ్ {0} ఇప్పటికే అంశం ఉపయోగిస్తారు {1} DocType: Lead,Add to calendar on this date,ఈ తేదీ క్యాలెండర్ జోడించండి apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,షిప్పింగ్ ఖర్చులు జోడించడం కోసం రూల్స్. DocType: Item,Opening Stock,తెరవడం స్టాక్ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,కస్టమర్ అవసరం apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} రిటర్న్ తప్పనిసరి DocType: Purchase Order,To Receive,అందుకోవడం +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,వ్యక్తిగత ఇమెయిల్ apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,మొత్తం మార్పులలో DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ప్రారంభించబడితే, సిస్టమ్ స్వయంచాలకంగా జాబితా కోసం అకౌంటింగ్ ఎంట్రీలు పోస్ట్ ఉంటుంది." @@ -3725,7 +3739,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 +541,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ప్రామాణిక సెల్లింగ్ @@ -3733,7 +3747,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,వారంటీ బయటకు DocType: BOM Replace Tool,Replace,పునఃస్థాపించుము apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ఏ ఉత్పత్తులు దొరకలేదు. -DocType: Production Order,Unstopped,Unstopped apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} సేల్స్ వాయిస్ వ్యతిరేకంగా {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,ప్రాజెక్ట్ పేరు @@ -3744,6 +3757,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} 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} లేదా ఇప్పటికే ఇతర రసీదును జతచేసేందుకు ఖాతా లేదు @@ -3781,9 +3795,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,అది నుంచి నిర్లక్ష్యం అంశం {0} స్టాక్ అంశాన్ని కాదు +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 +40,Submit this Production Order for further processing.,తదుపరి ప్రాసెసింగ్ కోసం ఈ ఉత్పత్తి ఆర్డర్ సమర్పించండి. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,ఉద్యోగాలు @@ -3791,12 +3805,14 @@ 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 +209,Rate (%),రేటు (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","మీరే కంటే ఇతర, మీ సంస్థకు వినియోగదారులను జోడించు" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',కంపెనీ ఖాళీ ఫిల్టర్ సెట్ చేయండి బృందంచే 'కంపెనీ' ఉంది apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,పోస్ట్ చేసిన తేదీ భవిష్య తేదీలో ఉండకూడదు apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},రో # {0}: సీరియల్ లేవు {1} తో సరిపోలడం లేదు {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,సాధారణం లీవ్ @@ -3825,7 +3841,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,స్టాక్ లెడ్ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. కాలమ్ ఖాళీగా ఉండాలి +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. కాలమ్ ఖాళీగా ఉండాలి DocType: Accounts Settings,Accounts Settings,సెట్టింగులు అకౌంట్స్ apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,ఆమోదించడానికి DocType: Customer,Sales Partner and Commission,సేల్స్ భాగస్వామిలో మరియు కమిషన్ @@ -3840,7 +3856,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,బిఒఎం ప్రేలుడు అంశం DocType: Account,Auditor,ఆడిటర్ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} అంశాలు ఉత్పత్తి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,రిటర్న్ @@ -3854,7 +3870,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,ఎక్స్చేంజ్ రేట్ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,ఫ్లీట్ మేనేజ్మెంట్ @@ -3879,18 +3895,18 @@ 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 +705,Online,ఆన్లైన్ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ఆపివేయబడింది DocType: Employee Loan,Repay Fixed Amount per Period,ఒక్కో వ్యవధి స్థిర మొత్తం చెల్లింపులో apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},అంశం పరిమాణం నమోదు చేయండి {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,క్రెడిట్ గమనిక ఆంట్ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,క్రెడిట్ గమనిక ఆంట్ DocType: Employee External Work History,Employee External Work History,Employee బాహ్య వర్క్ చరిత్ర DocType: Tax Rule,Purchase,కొనుగోలు apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,సంతులనం ప్యాక్ చేసిన అంశాల @@ -3916,7 +3932,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 +2383,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి DocType: Employee,Encashment Date,ఎన్క్యాష్మెంట్ తేదీ DocType: Training Event,Internet,ఇంటర్నెట్ DocType: Account,Stock Adjustment,స్టాక్ అడ్జస్ట్మెంట్ @@ -3946,6 +3962,7 @@ DocType: Guardian,Guardian Of ,ది గార్డియన్ DocType: Grading Scale Interval,Threshold,త్రెష్ DocType: BOM Replace Tool,Current BOM,ప్రస్తుత BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,సీరియల్ లేవు జోడించండి +DocType: Production Order Item,Available Qty at Source Warehouse,మూల వేర్హౌస్ వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల apps/erpnext/erpnext/config/support.py +22,Warranty,వారంటీ DocType: Purchase Invoice,Debit Note Issued,డెబిట్ గమనిక జారీచేయబడింది DocType: Production Order,Warehouses,గిడ్డంగులు @@ -3961,13 +3978,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,కట్ట apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ప్రాజెక్ట్ మేనేజర్ ,Quoted Item Comparison,ఉల్లేఖించిన అంశం పోలిక apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,డిస్పాచ్ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,అంశం కోసం మాక్స్ డిస్కౌంట్: {0} {1}% ఉంది +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 +279,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 +879,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది" DocType: Item,Material Issue,మెటీరియల్ ఇష్యూ DocType: Hub Settings,Seller Description,అమ్మకాల వివరణ DocType: Employee Education,Qualification,అర్హతలు @@ -3991,7 +4008,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","ఇక్కడ మీరు etc ఎత్తు, బరువు, అలెర్జీలు, వైద్య ఆందోళనలు అందుకోగలదు" DocType: Leave Block List,Applies to Company,కంపెనీకి వర్తిస్తుంది -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +200,Cannot cancel because submitted Stock Entry {0} exists,సమర్పించిన స్టాక్ ఎంట్రీ {0} ఉంది ఎందుకంటే రద్దు కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,సమర్పించిన స్టాక్ ఎంట్రీ {0} ఉంది ఎందుకంటే రద్దు కాదు DocType: Employee Loan,Disbursement Date,చెల్లించుట తేదీ DocType: Vehicle,Vehicle,వాహనం DocType: Purchase Invoice,In Words,వర్డ్స్ @@ -4012,7 +4029,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",డిఫాల్ట్ గా ఈ ఆర్థిక సంవత్సరం సెట్ 'డిఫాల్ట్ గా సెట్' పై క్లిక్ apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,చేరండి apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది DocType: Employee Loan,Repay from Salary,జీతం నుండి తిరిగి DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},వ్యతిరేకంగా చెల్లింపు అభ్యర్థించడం {0} {1} మొత్తం {2} @@ -4030,18 +4047,18 @@ 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 +1011,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,సీరియల్ లేవు {0} ఇప్పటికే అందింది +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: Expense Claim,Vehicle Log,వాహనం లోనికి ప్రవేశించండి DocType: Purchase Invoice,Recurring Id,పునరావృత Id DocType: Customer,Sales Team Details,సేల్స్ టీం వివరాలు -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,శాశ్వతంగా తొలగించాలా? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},చెల్లని {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},చెల్లని {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,అనారొగ్యపు సెలవు DocType: Email Digest,Email Digest,ఇమెయిల్ డైజెస్ట్ DocType: Delivery Note,Billing Address Name,బిల్లింగ్ చిరునామా పేరు @@ -4054,6 +4071,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,విధింపదగిన DocType: Company,Change Abbreviation,మార్పు సంక్షిప్తీకరణ DocType: Expense Claim Detail,Expense Date,ఖర్చుల తేదీ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,అంశం code> అంశం గ్రూప్> బ్రాండ్ DocType: Item,Max Discount (%),మాక్స్ డిస్కౌంట్ (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,చివరి ఆర్డర్ పరిమాణం DocType: Task,Is Milestone,మైల్స్టోన్ ఉంది @@ -4077,8 +4095,8 @@ DocType: Program Enrollment Tool,New Program,కొత్త ప్రోగ్ DocType: Item Attribute Value,Attribute Value,విలువ లక్షణం ,Itemwise Recommended Reorder Level,Itemwise క్రమాన్ని స్థాయి సిఫార్సు DocType: Salary Detail,Salary Detail,జీతం వివరాలు -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ముందుగా {0} దయచేసి ఎంచుకోండి -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,అంశం బ్యాచ్ {0} {1} గడువు ముగిసింది. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,ముందుగా {0} దయచేసి ఎంచుకోండి +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,అంశం బ్యాచ్ {0} {1} గడువు ముగిసింది. DocType: Sales Invoice,Commission,కమిషన్ apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,తయారీ కోసం సమయం షీట్. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,పూర్తికాని @@ -4103,12 +4121,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 +399,Operation Time must be greater than 0 for Operation {0},ఆపరేషన్ సమయం ఆపరేషన్ కోసం 0 కంటే ఎక్కువ ఉండాలి {0} +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/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 +387,Production Order cannot be raised against a Item Template,ఉత్పత్తి ఆర్డర్ ఒక అంశం మూస వ్యతిరేకంగా లేవనెత్తిన సాధ్యం కాదు +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,ప్రారంబపు తేది @@ -4138,7 +4156,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,తొలగింపు తేదీ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ఇమెయిళ్ళు వారు సెలవు లేకపోతే, ఇచ్చిన గంట వద్ద కంపెనీ అన్ని యాక్టివ్ ఉద్యోగులు పంపబడును. ప్రతిస్పందనల సారాంశం అర్ధరాత్రి పంపబడుతుంది." DocType: Employee Leave Approver,Employee Leave Approver,ఉద్యోగి సెలవు అప్రూవర్గా -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","కొటేషన్ చేయబడింది ఎందుకంటే, కోల్పోయిన డిక్లేర్ కాదు." 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} సమర్పించాలి ఉత్పత్తి @@ -4172,6 +4190,7 @@ DocType: Announcement,Student,విద్యార్థి apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,సంస్థ యూనిట్ (విభాగం) మాస్టర్. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,చెల్లే మొబైల్ nos నమోదు చేయండి apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,పంపే ముందు సందేశాన్ని నమోదు చేయండి +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,సరఫరా కోసం DUPLICATE DocType: Email Digest,Pending Quotations,పెండింగ్లో కొటేషన్స్ apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS సెట్టింగ్లు అప్డేట్ దయచేసి @@ -4180,7 +4199,7 @@ DocType: Cost Center,Cost Center Name,ఖర్చు సెంటర్ పే DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,మాక్స్ TIMESHEET వ్యతిరేకంగా పని గంటలు DocType: Maintenance Schedule Detail,Scheduled Date,షెడ్యూల్డ్ తేదీ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,మొత్తం చెల్లించిన ఆంట్ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,మొత్తం చెల్లించిన ఆంట్ DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 అక్షరాల కంటే ఎక్కువ సందేశాలు బహుళ సందేశాలను విభజించబడింది ఉంటుంది DocType: Purchase Receipt Item,Received and Accepted,అందుకున్నారు మరియు Accepted ,GST Itemised Sales Register,జిఎస్టి వర్గీకరించబడ్డాయి సేల్స్ నమోదు @@ -4190,7 +4209,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 +237,Your Suppliers,మీ సరఫరాదారులు +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',వర్గం 'మదింపు' లేదా 'Vaulation మరియు మొత్తం' కోసం ఉన్నప్పుడు తీసివేయు కాదు @@ -4202,7 +4221,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","కొనుగోలు సెట్టింగులు ప్రకారం కొనుగోలు Reciept అవసరం == 'అవును', అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు స్వీకరణపై సృష్టించాలి ఉంటే {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,అంశం {1} జత వెబ్సైట్ చిత్రం {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.,వెబ్ సైట్ బహుళ సమూహాలు ఈ అంశం జాబితా. @@ -4217,7 +4236,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ఇది apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,గిడ్డంగి apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,అన్ని విద్యార్థి అడ్మిషన్స్ ,Average Commission Rate,సగటు కమిషన్ రేటు -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'అవును' ఉంటుంది కాని స్టాక్ అంశం కోసం కాదు 'సీరియల్ చెప్పడం' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'అవును' ఉంటుంది కాని స్టాక్ అంశం కోసం కాదు 'సీరియల్ చెప్పడం' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,హాజరు భవిష్యత్తులో తేదీలు కోసం గుర్తించబడవు DocType: Pricing Rule,Pricing Rule Help,ధర రూల్ సహాయం DocType: School House,House Name,హౌస్ పేరు @@ -4233,7 +4252,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 +339,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,భీమా తేదీ ప్రారంభించండి భీమా ముగింపు తేదీ కంటే తక్కువ ఉండాలి @@ -4248,20 +4267,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే సమయం షీట్ కోసం సృష్టించబడింది {1} DocType: Vehicle Log,Odometer,ఓడోమీటార్ DocType: Sales Order Item,Ordered Qty,క్రమ ప్యాక్ చేసిన అంశాల -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది +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 +874,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 వివరాలు apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,జీతం స్లిప్స్ రూపొందించండి -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",వర్తించే ఎంపిక ఉంది ఉంటే కొనుగోలు తనిఖీ చెయ్యాలి {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",వర్తించే ఎంపిక ఉంది ఉంటే కొనుగోలు తనిఖీ చెయ్యాలి {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,డిస్కౌంట్ 100 కంటే తక్కువ ఉండాలి 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 +500,Default BOM for {0} not found,కోసం {0} దొరకలేదు డిఫాల్ట్ బిఒఎం -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,రో # {0}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,ప్రోగ్రామ్ నమోదు DocType: Landed Cost Voucher,Landed Cost Voucher,అడుగుపెట్టాయి ఖర్చు ఓచర్ @@ -4324,7 +4343,6 @@ DocType: Maintenance Visit,MV,ఎంవి apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,ఊహించినది తేదీ మెటీరియల్ అభ్యర్థన తేదీ ముందు ఉండరాదు DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల -DocType: Production Order,Source Warehouse (for reserving Items),మూల వేర్హౌస్ (అంశాలు రిజర్వేషన్లు కోసం) DocType: Employee Loan,Repayment Period in Months,నెలల్లో తిరిగి చెల్లించే కాలం apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,లోపం: చెల్లని ఐడి? DocType: Naming Series,Update Series Number,నవీకరణ సిరీస్ సంఖ్య @@ -4373,7 +4391,7 @@ DocType: Production Order,Planned End Date,ప్రణాళిక ముగి apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,అంశాలను ఎక్కడ నిల్వ చేయబడతాయి. DocType: Request for Quotation,Supplier Detail,సరఫరాదారు వివరాలు apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ఫార్ములా లేదా స్థితిలో లోపం: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ఇన్వాయిస్ మొత్తం +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ఇన్వాయిస్ మొత్తం DocType: Attendance,Attendance,హాజరు apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,స్టాక్ అంశాలు DocType: BOM,Materials,మెటీరియల్స్ @@ -4414,10 +4432,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,సెటప్ నా సంస్థ కోసం ఒక సాధారణ వెబ్సైట్ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0} DocType: Item,Default Warehouse,డిఫాల్ట్ వేర్హౌస్ apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},బడ్జెట్ గ్రూప్ ఖాతా వ్యతిరేకంగా కేటాయించిన సాధ్యం కాదు {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,మాతృ ఖర్చు సెంటర్ నమోదు చేయండి @@ -4478,7 +4496,7 @@ 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 +1344,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి +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/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,ఈ ఈ ఉద్యోగి హాజరు ఆధారంగా @@ -4486,6 +4504,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,సంవత్సరం ప్రారంభం తేదీ DocType: Attendance,Employee Name,ఉద్యోగి పేరు DocType: Sales Invoice,Rounded Total (Company Currency),నున్నటి మొత్తం (కంపెనీ కరెన్సీ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి సెటప్ను ఉద్యోగి మానవ వనరుల వ్యవస్థ నామకరణ> ఆర్ సెట్టింగులు 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} మారిస్తే. రిఫ్రెష్ చెయ్యండి. DocType: Leave Block List,Stop users from making Leave Applications on following days.,కింది రోజులలో లీవ్ అప్లికేషన్స్ తయారీ నుండి వినియోగదారులు ఆపు. @@ -4508,7 +4527,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 పఠనం ,Hub,హబ్ DocType: GL Entry,Voucher Type,ఓచర్ టైప్ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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' గా @@ -4528,7 +4547,7 @@ DocType: POS Profile,Account for Change Amount,మొత్తం చేంజ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},రో {0}: పార్టీ / ఖాతాతో సరిపోలడం లేదు {1} / {2} లో {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ఖర్చుల ఖాతాను నమోదు చేయండి DocType: Account,Stock,స్టాక్ -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి" DocType: Employee,Current Address,ప్రస్తుత చిరునామా DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","స్పష్టంగా పేర్కొన్న తప్ప తరువాత అంశం వివరణ, చిత్రం, ధర, పన్నులు టెంప్లేట్ నుండి సెట్ చేయబడతాయి etc మరొక అంశం యొక్క ఒక వైవిధ్యం ఉంటే" DocType: Serial No,Purchase / Manufacture Details,కొనుగోలు / తయారీ వివరాలు @@ -4567,11 +4586,12 @@ DocType: Student,Home Address,హోం చిరునామా apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ట్రాన్స్ఫర్ ఆస్తి DocType: POS Profile,POS Profile,POS ప్రొఫైల్ DocType: Training Event,Event Name,ఈవెంట్ పేరు -apps/erpnext/erpnext/config/schools.py +39,Admission,అడ్మిషన్ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,అడ్మిషన్ apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},కోసం ప్రవేశాలు {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} అంశం ఒక టెంప్లేట్, దాని వైవిధ్యాలు ఒకటి ఎంచుకోండి దయచేసి" DocType: Asset,Asset Category,ఆస్తి వర్గం +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,కొనుగోలుదారు apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,నికర పే ప్రతికూల ఉండకూడదు DocType: SMS Settings,Static Parameters,స్టాటిక్ పారామితులు DocType: Assessment Plan,Room,గది @@ -4580,6 +4600,7 @@ DocType: Item,Item Tax,అంశం పన్ను apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,సరఫరాదారు మెటీరియల్ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ఎక్సైజ్ వాయిస్ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ప్రభావసీమ {0}% ఒకసారి కంటే ఎక్కువ కనిపిస్తుంది +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం 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,ప్రస్తుత బాధ్యతలు @@ -4651,6 +4672,7 @@ DocType: Leave Type,Is Carry Forward,ఫార్వర్డ్ కారి apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,సమర్పించలేదు జీతం స్లిప్స్ ,Stock Summary,స్టాక్ సారాంశం diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv index 09a8cf80ba..983856371b 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",หยุดใบสั่งผลิตไม่สามารถยกเลิกจุกมันเป็นครั้งแรกที่จะยกเลิก +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,เลือกผู้ผลิตเริ่มต้น @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1} +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 +808,Invoice,ใบกำกับสินค้า DocType: Maintenance Schedule Item,Periodicity,การเป็นช่วง ๆ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ปีงบประมาณ {0} จะต้อง @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,ทำงานในความคืบหน้า apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,กรุณาเลือกวันที่ DocType: Employee,Holiday List,รายการวันหยุด -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,นักบัญชี +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,นักบัญชี DocType: Cost Center,Stock User,หุ้นผู้ใช้ DocType: Company,Phone No,โทรศัพท์ไม่มี apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,ตารางหลักสูตรการสร้าง: @@ -110,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 +269,Kg,กิโลกรัม +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,กิโลกรัม DocType: Student Log,Log,เข้าสู่ระบบ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,เปิดงาน DocType: Item Attribute,Increment,การเพิ่มขึ้น @@ -120,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 +42,Not permitted for {0},ไม่อนุญาตสำหรับ {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,รับรายการจาก -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,ไม่พบรายการ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,รายการใบแจ้งหนี้การขาย @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,รายงานสต DocType: Warehouse,Warehouse Detail,รายละเอียดคลังสินค้า apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},วงเงินสินเชื่อที่ได้รับการข้ามสำหรับลูกค้า {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ไม่สามารถเพิกถอน ""คือสินทรัพย์ถาวร"" ได้เพราะมีบันทึกสินทรัพย์ที่อยู่กับรายการ" +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/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,ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},จาก {0} เป็น {1} DocType: Item,Copy From Item Group,คัดลอกจากกลุ่มสินค้า DocType: Journal Entry,Opening Entry,เปิดรายการ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> เขตแดน apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,บัญชีจ่ายเพียง DocType: Employee Loan,Repay Over Number of Periods,ชำระคืนกว่าจำนวนงวด DocType: Stock Entry,Additional Costs,ค่าใช้จ่ายเพิ่มเติม @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,อสังหาริมทรัพย์ -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,งบบัญชี +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,ยา DocType: Purchase Invoice Item,Is Fixed Asset,เป็นสินทรัพย์ถาวร apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",จำนวนที่มีอยู่ {0} คุณต้อง {1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,วัสดุสิ้นเปลือง +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ดึงขอวัสดุประเภทผลิตตามเกณฑ์ดังกล่าวข้างต้น @@ -212,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 +143,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,ตัวอย่าง: วิชาคณิตศาสตร์พื้นฐาน +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/config/hr.py +214,Settings for HR Module,การตั้งค่าสำหรับ โมดูล ทรัพยากรบุคคล DocType: SMS Center,SMS Center,ศูนย์ SMS @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,รายการและราคา apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},ชั่วโมงรวม: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},จากวันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่าตั้งแต่วันที่ = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,คำคม DocType: Customer,Individual,บุคคล DocType: Interest,Academics User,นักวิชาการผู้ใช้ DocType: Cheque Print Template,Amount In Figure,จำนวนเงินในรูปที่ @@ -266,7 +267,7 @@ DocType: Employee,Create User,สร้างผู้ใช้ DocType: Selling Settings,Default Territory,ดินแดนเริ่มต้น apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,โทรทัศน์ DocType: Production Order Operation,Updated via 'Time Log',ปรับปรุงแล้วทาง 'บันทึกเวลา' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1} DocType: Naming Series,Series List for this Transaction,รายชื่อชุดสำหรับการทำธุรกรรมนี้ DocType: Company,Enable Perpetual Inventory,เปิดใช้พื้นที่โฆษณาถาวร DocType: Company,Default Payroll Payable Account,เริ่มต้นเงินเดือนบัญชีเจ้าหนี้ @@ -274,7 +275,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 +177,For Warehouse is required before Submit,สำหรับ คลังสินค้า จะต้อง ก่อนที่จะ ส่ง +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +283,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 +2256,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,ชื่อผู้ติดต่อ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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,กลุ่มลูกค้า จุดขายหน้าร้าน @@ -302,13 +303,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม 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 +189,Warehouse {0} does not belong to company {1},คลังสินค้า {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 +270,Litre,ลิตร +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,ฝากที่ถูกบล็อก -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,รายการธนาคาร apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ประจำปี DocType: Stock Reconciliation Item,Stock Reconciliation Item,สต็อกสินค้าสมานฉันท์ @@ -316,7 +317,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 +316,People who teach at your organisation,คนที่สอนในองค์กรของคุณ +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,จำนวนสั่งซื้อขั้นต่ำ @@ -327,7 +328,7 @@ DocType: POS Profile,Allow user to edit Rate,อนุญาตให้ผู DocType: Item,Publish in Hub,เผยแพร่ใน Hub DocType: Student Admission,Student Admission,การรับสมัครนักศึกษา ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ขอวัสดุ DocType: Bank Reconciliation,Update Clearance Date,อัพเดทวันที่ Clearance DocType: Item,Purchase Details,รายละเอียดการซื้อ @@ -368,7 +369,7 @@ DocType: Vehicle,Fleet Manager,ผู้จัดการกอง apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต' +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,ข้อผิดพลาดในการอ้างอิงแบบวงกลม @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,เข้าชำระเงินได้รับการแก้ไขหลังจากที่คุณดึงมัน กรุณาดึงมันอีกครั้ง -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ได้บันทึกเป็นครั้งที่สองใน รายการ ภาษี +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} ได้บันทึกเป็นครั้งที่สองใน รายการ ภาษี apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,สรุปในสัปดาห์นี้และกิจกรรมที่ค้างอยู่ DocType: Student Applicant,Admitted,ที่ยอมรับ DocType: Workstation,Rent Cost,ต้นทุนการ ให้เช่า @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% ที่ได้รับแล้ว apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,สร้างกลุ่มนักศึกษา apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,การติดตั้ง เสร็จสมบูรณ์ แล้ว ! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,เครดิตจำนวนเงิน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,เครดิตจำนวนเงิน ,Finished Goods,สินค้า สำเร็จรูป DocType: Delivery Note,Instructions,คำแนะนำ DocType: Quality Inspection,Inspected By,การตรวจสอบโดย @@ -447,8 +448,9 @@ 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 +1456,Create a new Customer,สร้างลูกค้าใหม่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup> Numbering Series apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,สร้างใบสั่งซื้อ ,Purchase Register,สั่งซื้อสมัครสมาชิก DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -473,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 @@ -494,7 +496,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,การตั้งค่าโดยรวม สำหรับกระบวนการผลิตทั้งหมด DocType: Accounts Settings,Accounts Frozen Upto,บัญชีถูกแช่แข็งจนถึง DocType: SMS Log,Sent On,ส่ง -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,แอตทริบิวต์ {0} เลือกหลายครั้งในคุณสมบัติตาราง +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,แอตทริบิวต์ {0} เลือกหลายครั้งในคุณสมบัติตาราง DocType: HR Settings,Employee record is created using selected field. ,ระเบียนของพนักงานจะถูกสร้างขึ้นโดยใช้เขตข้อมูลที่เลือก DocType: Sales Order,Not Applicable,ไม่สามารถใช้งาน apps/erpnext/erpnext/config/hr.py +70,Holiday master.,นาย ฮอลิเดย์ @@ -530,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,BOMs ที่เลือกไม่ได้สำหรับรายการเดียวกัน DocType: Pricing Rule,Valid Upto,ที่ถูกต้องไม่เกิน DocType: Training Event,Workshop,โรงงาน -apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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",ไม่สามารถกรอง ตาม บัญชี ถ้า จัดกลุ่มตาม บัญชี @@ -545,7 +547,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,กรุณากรอก คลังสินค้า ที่ ขอ วัสดุ จะ ได้รับการเลี้ยงดู DocType: Production Order,Additional Operating Cost,เพิ่มเติมต้นทุนการดำเนินงาน apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,เครื่องสำอาง -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ DocType: Shipping Rule,Net Weight,ปริมาณสุทธิ DocType: Employee,Emergency Phone,โทรศัพท์ ฉุกเฉิน apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ซื้อ @@ -555,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 +2428,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,รับเหมาช่วงการจัดการ @@ -574,7 +576,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,เพิ่ม / แก้ไข ภาษีและค่าธรรมเนียม DocType: Purchase Invoice,Supplier Invoice No,ใบแจ้งหนี้ที่ผู้ผลิตไม่มี DocType: Territory,For reference,สำหรับการอ้างอิง -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",ไม่สามารถลบไม่มี Serial {0} เป็นมันถูกนำมาใช้ในการทำธุรกรรมหุ้น +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",ไม่สามารถลบไม่มี Serial {0} เป็นมันถูกนำมาใช้ในการทำธุรกรรมหุ้น apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),ปิด (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,ย้ายรายการ DocType: Serial No,Warranty Period (Days),ระยะเวลารับประกัน (วัน) @@ -595,7 +597,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,กรุณาเลือก บริษัท และประเภทพรรคแรก apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,การเงิน รอบปีบัญชี / apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ค่าสะสม -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,สร้างการขายสินค้า DocType: Project Task,Project Task,โครงการงาน ,Lead Id,รหัสช่องทาง @@ -615,6 +617,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,จัดสรร apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,ขายกลับ 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,หมายเหตุ: ใบที่จัดสรรทั้งหมด {0} ไม่ควรจะน้อยกว่าใบอนุมัติแล้ว {1} สําหรับงวด +,Total Stock Summary,สรุปสต็อคทั้งหมด DocType: Announcement,Posted By,โพสโดย DocType: Item,Delivered by Supplier (Drop Ship),จัดส่งโดยผู้ผลิต (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,ฐานข้อมูลของลูกค้าที่มีศักยภาพ @@ -623,7 +626,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,ฐานข้อ DocType: Quotation,Quotation To,ใบเสนอราคาเพื่อ DocType: Lead,Middle Income,มีรายได้ปานกลาง apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),เปิด ( Cr ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,เริ่มต้นหน่วยวัดสำหรับรายการ {0} ไม่สามารถเปลี่ยนแปลงได้โดยตรงเพราะคุณได้ทำแล้วการทำธุรกรรมบาง (s) กับ UOM อื่น คุณจะต้องสร้างรายการใหม่ที่จะใช้ที่แตกต่างกันเริ่มต้น UOM +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,เริ่มต้นหน่วยวัดสำหรับรายการ {0} ไม่สามารถเปลี่ยนแปลงได้โดยตรงเพราะคุณได้ทำแล้วการทำธุรกรรมบาง (s) กับ UOM อื่น คุณจะต้องสร้างรายการใหม่ที่จะใช้ที่แตกต่างกันเริ่มต้น UOM apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,จำนวนเงินที่จัดสรร ไม่สามารถ ลบ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,โปรดตั้ง บริษัท apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,โปรดตั้ง บริษัท @@ -645,6 +648,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ข้อมูลหลั DocType: Assessment Plan,Maximum Assessment Score,คะแนนประเมินสูงสุด apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,ปรับปรุงธนาคารวันที่เกิดรายการ apps/erpnext/erpnext/config/projects.py +30,Time Tracking,การติดตามเวลา +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ทำซ้ำสำหรับผู้ขนส่ง DocType: Fiscal Year Company,Fiscal Year Company,ปีงบประมาณ บริษัท DocType: Packing Slip Item,DN Detail,รายละเอียด DN DocType: Training Event,Conference,การประชุม @@ -685,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 +320,Timesheet created:,Timesheet สร้าง: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ลงทะเบียน DocType: GST Settings,GST Settings,การตั้งค่า GST DocType: Selling Settings,Customer Naming By,การตั้งชื่อตามลูกค้า @@ -715,7 +719,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 +139,Finish,เสร็จสิ้น +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,เสร็จสิ้น apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,ฐาน DocType: Timesheet,Total Billed Hours,รวมชั่วโมงการเรียกเก็บเงิน DocType: Journal Entry,Write Off Amount,เขียนทันทีจำนวน @@ -750,7 +754,7 @@ DocType: Hub Settings,Seller City,ผู้ขายเมือง ,Absent Student Report,รายงานนักศึกษาขาด DocType: Email Digest,Next email will be sent on:,อีเมล์ถัดไปจะถูกส่งเมื่อ: DocType: Offer Letter Term,Offer Letter Term,เสนอระยะจดหมาย -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,รายการที่มีสายพันธุ์ +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,รายการที่มีสายพันธุ์ apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,รายการที่ {0} ไม่พบ DocType: Bin,Stock Value,มูลค่าหุ้น apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,บริษัท {0} ไม่อยู่ @@ -797,12 +801,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",กฎราคาหลายอยู่กับเกณฑ์เดียวกันโปรดแก้ปัญหาความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {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 ตามที่มีการเชื่อมโยงกับ 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 +48,Make Timesheet,สร้างเวลาการทำงาน +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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,13 +864,13 @@ 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,ภูมิหลังของครอบครัว DocType: Request for Quotation Supplier,Send Email,ส่งอีเมล์ -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},คำเตือน: สิ่งที่แนบมาไม่ถูกต้อง {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ไม่ได้รับอนุญาต +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},คำเตือน: สิ่งที่แนบมาไม่ถูกต้อง {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,ไม่ได้รับอนุญาต 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} จะต้องส่ง @@ -886,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,รายการแถว {IDX}: {DOCTYPE} {} DOCNAME ไม่อยู่ในข้างต้น '{} DOCTYPE' ตาราง -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,เปิดค่าเสื่อมราคาสะสม @@ -974,14 +978,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0} จะต้องใช้งาน +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} ก่อนที่จะ ยกเลิก การบำรุงรักษา นี้ เยี่ยมชม -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน รายการ {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน รายการ {1} DocType: Purchase Receipt Item Supplied,Required Qty,จำนวนที่ต้องการ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงบัญชีแยกประเภท DocType: Bank Reconciliation,Total Amount,รวมเป็นเงิน @@ -998,7 +1002,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,ส่วนประกอบ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},กรุณากรอกประเภทสินทรัพย์ในข้อ {0} DocType: Quality Inspection Reading,Reading 6,Reading 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,ไม่สามารถ {0} {1} {2} โดยไม่ต้องมีใบแจ้งหนี้ที่โดดเด่นในเชิงลบ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,ไม่สามารถ {0} {1} {2} โดยไม่ต้องมีใบแจ้งหนี้ที่โดดเด่นในเชิงลบ 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} @@ -1012,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 +731,New Sales Invoice,ใบแจ้งหนี้การขายใหม่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้ DocType: Payment Request,Paid,ชำระ DocType: Program Fee,Program Fee,ค่าธรรมเนียมโครงการ DocType: Salary Slip,Total in words,รวมอยู่ในคำพูด @@ -1050,10 +1054,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,สารเคมี DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,เริ่มต้นของบัญชีธนาคาร / เงินสดจะได้รับการปรับปรุงโดยอัตโนมัติในเงินเดือนวารสารรายการเมื่อโหมดนี้จะถูกเลือก DocType: BOM,Raw Material Cost(Company Currency),ต้นทุนวัตถุดิบ ( บริษัท สกุล) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,รายการทั้งหมดที่ได้รับการโอนใบสั่งผลิตนี้ +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 +270,Meter,เมตร +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,เมตร DocType: Workstation,Electricity Cost,ค่าใช้จ่าย ไฟฟ้า DocType: HR Settings,Don't send Employee Birthday Reminders,อย่าส่ง พนักงาน เตือนวันเกิด DocType: Item,Inspection Criteria,เกณฑ์การตรวจสอบ @@ -1075,7 +1079,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 +452,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,ยอดคงเหลือวงเงินกู้ @@ -1083,7 +1087,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 +259,Qty for {0},จำนวนสำหรับ {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,ไม่ระบุวันที่รายการบล็อก @@ -1095,9 +1099,9 @@ DocType: Purchase Invoice,Cash/Bank Account,เงินสด / บัญชี apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},โปรดระบุ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,รายการที่ลบออกด้วยการเปลี่ยนแปลงในปริมาณหรือไม่มีค่า DocType: Delivery Note,Delivery To,เพื่อจัดส่งสินค้า -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ตาราง Attribute มีผลบังคับใช้ +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,ตาราง Attribute มีผลบังคับใช้ DocType: Production Planning Tool,Get Sales Orders,รับการสั่งซื้อการขาย -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ไม่สามารถเป็นจำนวนลบได้ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ไม่สามารถเป็นจำนวนลบได้ apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ส่วนลด DocType: Asset,Total Number of Depreciations,จำนวนรวมของค่าเสื่อมราคา DocType: Sales Invoice Item,Rate With Margin,อัตรากับ Margin @@ -1134,7 +1138,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 +1546,ZIP Code,รหัสไปรษณีย์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,ทำรายการสต็อก @@ -1153,7 +1157,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),อายุนำขั้นต่ำ (วัน) @@ -1178,7 +1182,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ผู้จัดจำหน่าย DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,รถเข็นกฎการจัดส่งสินค้า apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,สั่งผลิต {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้ -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',โปรดตั้ง 'ใช้ส่วนลดเพิ่มเติมใน' +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,จากช่วงจะต้องมีน้อยกว่าในช่วง DocType: Global Defaults,Global Defaults,เริ่มต้นทั่วโลก @@ -1186,10 +1190,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 +22,First 2 digits of GSTIN should match with State number {0},ตัวเลข 2 หลักแรกของ GSTIN ควรตรงกับหมายเลข State {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,ข้อผิดพลาดการวางแผนกำลังการผลิต +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,ข้อผิดพลาดการวางแผนกำลังการผลิต ,Trial Balance for Party,งบทดลองสำหรับพรรค DocType: Lead,Consultant,ผู้ให้คำปรึกษา DocType: Salary Slip,Earnings,ผลกำไร @@ -1208,7 +1212,7 @@ DocType: Purchase Invoice,Is Return,คือการกลับมา apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,ย้อนกลับ / เดบิตหมายเหตุ DocType: Price List Country,Price List Country,ราคาประเทศ DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} หมายเลขประจำเครื่องที่ถูกต้องสำหรับรายการ {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} หมายเลขประจำเครื่องที่ถูกต้องสำหรับรายการ {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,รหัสสินค้า ไม่สามารถ เปลี่ยนเป็น เลข อนุกรม apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},รายละเอียด จุดขาย {0} สร้างไว้แล้วสำหรับผู้ใช้: {1} และ บริษัท {2} DocType: Sales Invoice Item,UOM Conversion Factor,ปัจจัยการแปลง UOM @@ -1218,7 +1222,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 +675,Cost Center For Item with Item Code ',ศูนย์ต้นทุนสำหรับสินค้าที่มีรหัสสินค้า ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",บัญชีเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่ @@ -1261,7 +1265,7 @@ 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,ดู บัญชีแยกประเภท DocType: Grading Scale,Intervals,ช่วงเวลา apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ที่เก่าแก่ที่สุด -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,รายการ {0} ไม่สามารถมีแบทช์ @@ -1290,7 +1294,7 @@ 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 +288,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์ +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์ DocType: Purchase Invoice,Rejected Warehouse,คลังสินค้าปฏิเสธ DocType: GL Entry,Against Voucher,กับบัตรกำนัล DocType: Item,Default Buying Cost Center,ศูนย์รายจ่ายการซื้อเริ่มต้น @@ -1301,7 +1305,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,การขายสินค้า {0} ไม่ถูกต้อง +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1319,14 +1323,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,สถานที่ได้รับการรับรอง apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,สัญญา DocType: Email Digest,Add Quote,เพิ่มอ้าง -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1} 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 +736,Sync Master Data,ซิงค์ข้อมูลหลัก -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,สินค้า หรือ บริการของคุณ +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,สินค้า หรือ บริการของคุณ DocType: Mode of Payment,Mode of Payment,โหมดของการชำระเงิน -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์ +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,กลุ่มนี้เป็นกลุ่ม รายการที่ ราก และ ไม่สามารถแก้ไขได้ @@ -1344,14 +1348,13 @@ 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 +562,Delivery Note {0} is not submitted,หมายเหตุ การจัดส่ง {0} ไม่ได้ ส่ง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",กฎข้อแรกคือการกำหนดราคาเลือกตาม 'สมัครในสนามซึ่งจะมีรายการกลุ่มสินค้าหรือยี่ห้อ 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},สถานะการผลิต การสั่งซื้อ เป็น {0} DocType: Appraisal Goal,Goal,เป้าหมาย DocType: Sales Invoice Item,Edit Description,แก้ไขรายละเอียด ,Team Updates,การปรับปรุงทีม @@ -1367,14 +1370,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,คลังสินค้าที่มีอยู่สำหรับเด็กคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้ DocType: Item,Website Item Groups,กลุ่มรายการเว็บไซต์ DocType: Purchase Invoice,Total (Company Currency),รวม (บริษัท สกุลเงิน) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง +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 +78,{0} items in progress,{0} รายการ อยู่ระหว่างดำเนินการ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,นี่คือหมายเลขของรายการที่สร้างขึ้นล่าสุดกับคำนำหน้านี้ @@ -1433,7 +1436,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,เงินทุน 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,7 +1448,7 @@ 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 +260,Max: {0},สูงสุด: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,บันทึกการสื่อสาร @@ -1456,7 +1458,7 @@ DocType: Sales Invoice,Shipping Address Name,การจัดส่งสิ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ผังบัญชี DocType: Material Request,Terms and Conditions Content,ข้อตกลงและเงื่อนไขเนื้อหา apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ไม่สามารถมีค่ามากกว่า 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,รายการที่ {0} ไม่ได้เป็น รายการ สต็อก +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,รายการที่ {0} ไม่ได้เป็น รายการ สต็อก DocType: Maintenance Visit,Unscheduled,ไม่ได้หมายกำหนดการ DocType: Employee,Owned,เจ้าของ DocType: Salary Detail,Depends on Leave Without Pay,ขึ้นอยู่กับการออกโดยไม่จ่ายเงิน @@ -1488,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 +273,We buy this Item,เราซื้อ รายการ นี้ +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 ของ @@ -1499,7 +1501,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 +266,Sub Assemblies,ประกอบ ย่อย +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ประกอบ ย่อย DocType: Asset,Asset Name,ชื่อสินทรัพย์ DocType: Project,Task Weight,งานน้ำหนัก DocType: Shipping Rule Condition,To Value,เพื่อให้มีค่า @@ -1532,12 +1534,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,แหล่ง 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 +239,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ไม่พบในตารางการชำระเงินบันทึก apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},นี้ {0} ขัดแย้งกับ {1} สำหรับ {2} {3} DocType: Student Attendance Tool,Students HTML,นักเรียน HTML DocType: POS Profile,Apply Discount,ใช้ส่วนลด -DocType: Purchase Invoice Item,GST HSN Code,รหัส HSST ของ GST +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 +283,Packing Slip(s) cancelled,บรรจุ สลิป (s) ยกเลิก @@ -1580,8 +1582,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,รายละเอียด Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,กล่อง +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 +873,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,รายชื่อ ผู้รับ ว่างเปล่า กรุณาสร้าง รายชื่อ รับ @@ -1611,7 +1613,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,วิธีการชำระหนี้ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",หากตรวจสอบหน้าแรกจะเป็นกลุ่มสินค้าเริ่มต้นสำหรับเว็บไซต์ DocType: Quality Inspection Reading,Reading 4,Reading 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM เริ่มต้นสำหรับ {0} ไม่พบโครงการ {1} 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} @@ -1628,29 +1629,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,งานให apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ทำให้ใบเสนอราคา apps/erpnext/erpnext/config/selling.py +216,Other Reports,รายงานอื่น ๆ DocType: Dependent Task,Dependent Task,ขึ้นอยู่กับงาน -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},ปัจจัย การแปลง หน่วย เริ่มต้น ของการวัด จะต้อง อยู่ในแถว ที่ 1 {0} +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 วันล่วงหน้า 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} DocType: SMS Center,Receiver List,รายชื่อผู้รับ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ค้นหาค้นหาสินค้า +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,เสร็จสิ้นแล้ว +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/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 +263,Quantity must not be more than {0},จำนวนต้องไม่เกิน {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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,รหัสลูกค้าของลูกค้า DocType: Account,Account Name,ชื่อบัญชี apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,จากวันที่ไม่สามารถจะมากกว่านัด -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,อนุกรม ไม่มี {0} ปริมาณ {1} ไม่สามารถเป็น ส่วนหนึ่ง +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,อนุกรม ไม่มี {0} ปริมาณ {1} ไม่สามารถเป็น ส่วนหนึ่ง apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ประเภท ผู้ผลิต หลัก 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 @@ -1658,6 +1659,7 @@ 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: Delivery Note,Vehicle Dispatch Date,วันที่ส่งรถ +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,รับซื้อ {0} ไม่ได้ ส่ง DocType: Company,Default Payable Account,เริ่มต้นเจ้าหนี้การค้า apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",การตั้งค่าสำหรับตะกร้าช้อปปิ้งออนไลน์เช่นกฎการจัดส่งรายการราคา ฯลฯ @@ -1714,7 +1716,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,รวมถึง DocType: Sales Invoice,Packed Items,บรรจุรายการ apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,รับประกันเรียกร้องกับหมายเลขเครื่อง DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","แทนที่ BOM โดยเฉพาะอย่างยิ่งใน BOMs อื่น ๆ ที่มีการใช้ แทนที่มันจะเชื่อมโยง BOM เก่าปรับปรุงค่าใช้จ่ายและงอกใหม่ ""BOM ระเบิดรายการ"" ตารางตาม BOM ใหม่" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ทั้งหมด' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','ทั้งหมด' DocType: Shopping Cart Settings,Enable Shopping Cart,เปิดการใช้งานรถเข็น DocType: Employee,Permanent Address,ที่อยู่ถาวร apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1750,6 +1752,7 @@ DocType: Material Request,Transferred,โอน DocType: Vehicle,Doors,ประตู apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น DocType: Course Assessment Criteria,Weightage,weightage +DocType: Sales 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,7 +1772,7 @@ 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 +699,Offline,ออฟไลน์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,สำหรับผู้สมัครงาน @@ -1786,7 +1789,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,หลัก apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ตัวแปร DocType: Naming Series,Set prefix for numbering series on your transactions,กำหนดคำนำหน้าสำหรับหมายเลขชุดทำธุรกรรมของคุณ DocType: Employee Attendance Tool,Employees HTML,พนักงาน HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน DocType: Employee,Leave Encashed?,ฝาก Encashed? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,โอกาสจากข้อมูลมีผลบังคับใช้ DocType: Email Digest,Annual Expenses,ค่าใช้จ่ายประจำปี @@ -1799,7 +1802,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 +175,Work-in-Progress Warehouse is required before Submit,ทำงาน ความคืบหน้าใน คลังสินค้า จะต้อง ก่อนที่จะ ส่ง +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,ข้อมูลตามกฎหมายและข้อมูลทั่วไปอื่น ๆ เกี่ยวกับผู้จำหน่ายของคุณ @@ -1809,7 +1812,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ความแรงของกลุ่มนักศึกษา apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,กับอนุทิน {0} ไม่ได้มีที่ไม่มีใครเทียบ {1} รายการ apps/erpnext/erpnext/config/hr.py +137,Appraisals,การประเมินผล -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ซ้ำ หมายเลขเครื่อง ป้อนสำหรับ รายการ {0} +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} ในการอนุญาตให้มากกว่าการเรียกเก็บเงินโปรดตั้งค่าในการซื้อการตั้งค่า @@ -1818,7 +1821,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} จะต้องส่ง +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,วิธีการชำระเงิน @@ -1837,12 +1840,12 @@ 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 +257,"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 +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.",รายการสินค้า หรือบริการที่คุณ ซื้อหรือขาย ของคุณ 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: Asset Movement,Asset Movement,การเคลื่อนไหวของสินทรัพย์ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,รถเข็นใหม่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,7 +1871,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,รับสินค้าจากการสั่งซื้อใบเสร็จรับเงิน DocType: Serial No,Creation Date,วันที่สร้าง apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},รายการ {0} ปรากฏขึ้น หลายครั้งใน ราคาตามรายการ {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",ขายจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",ขายจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0} DocType: Production Plan Material Request,Material Request Date,วันที่ขอใช้วัสดุ DocType: Purchase Order Item,Supplier Quotation Item,รายการใบเสนอราคาของผู้ผลิต DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ปิดการใช้งานการสร้างบันทึกเวลากับการสั่งซื้อการผลิต การดำเนินงานจะไม่ได้รับการติดตามกับใบสั่งผลิต @@ -1885,12 +1888,12 @@ DocType: Supplier,Supplier of Goods or Services.,ผู้ผลิตสิน DocType: Budget,Fiscal Year,ปีงบประมาณ DocType: Vehicle Log,Fuel Price,ราคาน้ำมัน DocType: Budget,Budget,งบประมาณ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,รายการสินทรัพย์ถาวรจะต้องเป็นรายการที่ไม่สต็อก +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 +209,e.g. 5,เช่น 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,7 +1902,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} ไม่ได้ ติดตั้ง สำหรับต้นแบบ อนุกรม Nos ได้ ตรวจสอบ รายการ DocType: Maintenance Visit,Maintenance Time,ระยะเวลาการบำรุงรักษา ,Amount to Deliver,ปริมาณการส่ง -apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,สินค้าหรือบริการ +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,ค่าปัจจุบัน @@ -1975,7 +1978,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,คู่ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,คู่ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต DocType: Asset,Depreciation Schedule,กำหนดการค่าเสื่อมราคา apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ที่อยู่และที่อยู่ติดต่อของฝ่ายขาย @@ -1994,10 +1997,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},กลุ่มสินค้าไม่ได้กล่าวถึงในหลักรายการสำหรับรายการที่ {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้ +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,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้ DocType: Shipping Rule Condition,Shipping Amount,จำนวนการจัดส่งสินค้า -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,เพิ่มลูกค้า +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,ส่ง @@ -2014,6 +2017,7 @@ DocType: Journal Entry,Accounts Receivable,ลูกหนี้ ,Supplier-Wise Sales Analytics,ผู้ผลิต ฉลาด Analytics ขาย apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ใส่จำนวนเงินที่ชำระ DocType: Salary Structure,Select employees for current Salary Structure,เลือกพนักงานสำหรับโครงสร้างเงินเดือนปัจจุบัน +DocType: Sales Invoice,Company Address Name,ชื่อที่อยู่ บริษัท 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)",หลักสูตรสำหรับผู้ปกครอง (เว้นแต่เป็นส่วนหนึ่งของหลักสูตรสำหรับผู้ปกครอง) @@ -2033,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 +269,Unit,หน่วย +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,คลังสินค้าที่คุณจะรักษาสต็อกของรายการปฏิเสธ @@ -2055,7 +2059,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อสินค้าขาย, การขายใบแจ้งหนี้หรือวารสารรายการ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: จากเวลาและต้องการเวลามีผลบังคับใช้ DocType: Stock Reconciliation Item,Amount Difference,จำนวนเงินที่แตกต่าง @@ -2064,7 +2068,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,การจำแนกประเภทของลูกค้าตามภูมิภาค apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ความแตกต่างจำนวนเงินต้องเป็นศูนย์ DocType: Project,Gross Margin,กำไรขั้นต้น -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,กรุณากรอก ผลิต รายการ แรก +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 +748,Quotation,ใบเสนอราคา @@ -2076,7 +2080,7 @@ 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: Opportunity,Customer / Lead Address,ลูกค้า / ที่อยู่ -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},คำเตือน: ใบรับรอง SSL ที่ไม่ถูกต้องในสิ่งที่แนบมา {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},คำเตือน: ใบรับรอง SSL ที่ไม่ถูกต้องในสิ่งที่แนบมา {0} DocType: Student Admission,Eligibility,เหมาะ apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",นำไปสู่การช่วยให้คุณได้รับธุรกิจเพิ่มรายชื่อทั้งหมดของคุณและมากขึ้นเป็นผู้นำของคุณ DocType: Production Order Operation,Actual Operation Time,เวลาการดำเนินงานที่เกิดขึ้นจริง @@ -2095,11 +2099,11 @@ DocType: Appraisal,Calculate Total Score,คำนวณคะแนนรวม DocType: Request for Quotation,Manufacturing Manager,ผู้จัดการฝ่ายผลิต apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},อนุกรม ไม่มี {0} อยู่ภายใต้การ รับประกัน ไม่เกิน {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,แยกหมายเหตุจัดส่งสินค้าเข้าไปในแพคเกจ -apps/erpnext/erpnext/hooks.py +87,Shipments,การจัดส่ง +apps/erpnext/erpnext/hooks.py +94,Shipments,การจัดส่ง DocType: Payment Entry,Total Allocated Amount (Company Currency),รวมจัดสรร ( บริษัท สกุล) DocType: Purchase Order Item,To be delivered to customer,ที่จะส่งมอบให้กับลูกค้า DocType: BOM,Scrap Material Cost,ต้นทุนเศษวัสดุ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,ไม่มี Serial {0} ไม่ได้อยู่ในโกดังสินค้าใด ๆ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,ไม่มี Serial {0} ไม่ได้อยู่ในโกดังสินค้าใด ๆ DocType: Purchase Invoice,In Words (Company Currency),ในคำ (สกุลเงิน บริษัท) DocType: Asset,Supplier,ผู้จัดจำหน่าย DocType: C-Form,Quarter,ไตรมาส @@ -2114,11 +2118,10 @@ DocType: Leave Application,Total Leave Days,วันที่เดินทา DocType: Email Digest,Note: Email will not be sent to disabled users,หมายเหตุ: อีเมล์ของคุณจะไม่ถูกส่งไปยังผู้ใช้คนพิการ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,จำนวนการโต้ตอบ apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,จำนวนการโต้ตอบ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ 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 +408,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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",กรุณาเลือกจำนวนเงินที่จัดสรรประเภทใบแจ้งหนี้และจำนวนใบแจ้งหนี้ในอย่างน้อยหนึ่งแถว @@ -2162,7 +2165,8 @@ 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,ผู้บริหารสูงสุด DocType: Expense Claim Detail,Expense Claim Detail,รายละเอียดค่าใช้จ่ายสินไหม -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,กรุณาเลือกบัญชีที่ถูกต้อง +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE สำหรับซัพพลายเออร์ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,กรุณาเลือกบัญชีที่ถูกต้อง DocType: Item,Weight UOM,UOM น้ำหนัก DocType: Salary Structure Employee,Salary Structure Employee,พนักงานโครงสร้างเงินเดือน DocType: Employee,Blood Group,กรุ๊ปเลือด @@ -2184,7 +2188,7 @@ DocType: Student,Guardians,ผู้ปกครอง 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 +336,Debit To is required,เดบิตในการที่จะต้อง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,ระยะเวลาเสนอ @@ -2197,7 +2201,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},รวมค้า DocType: BOM Website Operation,BOM Website Operation,BOM การดำเนินงานเว็บไซต์ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,จดหมายเสนอ apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,สร้างคำขอวัสดุ (MRP) และคำสั่งการผลิต -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,รวมใบแจ้งหนี้ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,รวมใบแจ้งหนี้ Amt DocType: BOM,Conversion Rate,อัตราการแปลง apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ค้นหาสินค้า DocType: Timesheet Detail,To Time,ถึงเวลา @@ -2212,7 +2216,7 @@ 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} โดยใช้การตรวจสอบความสอดคล้องกันได้โปรดใช้รายการสต็อก DocType: Training Event Employee,Training Event Employee,กิจกรรมการฝึกอบรมพนักงาน -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} เลขหมายประจำเครื่องจำเป็นสำหรับรายการ {1} คุณได้ให้ {2} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} เลขหมายประจำเครื่องจำเป็นสำหรับรายการ {1} คุณได้ให้ {2} DocType: Stock Reconciliation Item,Current Valuation Rate,อัตราการประเมินมูลค่าปัจจุบัน DocType: Item,Customer Item Codes,ลูกค้ารหัสสินค้า apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,กำไรจากอัตราแลกเปลี่ยน / ขาดทุน @@ -2260,7 +2264,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 +2454,Select Batch No,เลือกแบทช์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,จำนวนล่วงหน้า @@ -2284,19 +2288,19 @@ DocType: Leave Block List,Allow Users,อนุญาตให้ผู้ใช DocType: Purchase Order,Customer Mobile No,มือถือของลูกค้าไม่มี DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,ติดตามรายได้และค่าใช้จ่ายแยกต่างหากสำหรับแนวดิ่งผลิตภัณฑ์หรือหน่วยงาน DocType: Rename Tool,Rename Tool,เปลี่ยนชื่อเครื่องมือ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,ปรับปรุง ค่าใช้จ่าย +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 +438,Show Salary Slip,สลิปเงินเดือนที่ต้องการแสดง apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,เพิ่ม ภาษี +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,งบประมาณของบัญชี @@ -2307,6 +2311,7 @@ DocType: Stock Entry,Purchase Receipt No,หมายเลขใบเสร็ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,เงินมัดจำ DocType: Process Payroll,Create Salary Slip,สร้างสลิปเงินเดือน apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ตรวจสอบย้อนกลับ +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC Code 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,ลูกจ้าง @@ -2336,7 +2341,7 @@ DocType: Employee Education,Post Graduate,หลังจบการศึก DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,รายละเอียดกำหนดการซ่อมบำรุง DocType: Quality Inspection Reading,Reading 9,อ่าน 9 DocType: Supplier,Is Frozen,ถูกแช่แข็ง -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,คลังสินค้าโหนดกลุ่มไม่ได้รับอนุญาตให้เลือกสำหรับการทำธุรกรรม +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,คลังสินค้าโหนดกลุ่มไม่ได้รับอนุญาตให้เลือกสำหรับการทำธุรกรรม DocType: Buying Settings,Buying Settings,ตั้งค่าการซื้อ DocType: Stock Entry Detail,BOM No. for a Finished Good Item,หมายเลข BOM สำหรับรายการที่ดีสำเร็จรูป DocType: Upload Attendance,Attendance To Date,วันที่เข้าร่วมประชุมเพื่อ @@ -2352,13 +2357,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง" +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.js +153,You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ +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,สำหรับจำนวน apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},กรุณากรอก จำนวน การ วางแผน รายการ {0} ที่ แถว {1} @@ -2380,7 +2385,7 @@ DocType: Authorization Rule,Authorized Value,มูลค่าที่ได DocType: BOM,Show Operations,แสดงการดำเนินงาน ,Minutes to First Response for Opportunity,นาทีเพื่อตอบสนองแรกโอกาส apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ขาดทั้งหมด -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,หน่วยของการวัด DocType: Fiscal Year,Year End Date,วันสิ้นปี DocType: Task Depends On,Task Depends On,ขึ้นอยู่กับงาน @@ -2472,7 +2477,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},ไม่สามารถผลิต สินค้า ได้มากขึ้น {0} กว่าปริมาณ การขายสินค้า {1} +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/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,ถัดไปติดต่อโดยไม่สามารถเช่นเดียวกับที่อยู่อีเมลตะกั่ว @@ -2570,9 +2575,9 @@ 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 +789,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,อ้าง +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,อ้าง DocType: Budget,Cost Center,ศูนย์ต้นทุน apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,บัตรกำนัล # DocType: Notification Control,Purchase Order Message,ข้อความใบสั่งซื้อ @@ -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.",ถ้ากฎการกำหนดราคาที่เลือกจะทำเพื่อ 'ราคา' มันจะเขียนทับราคา กำหนดราคากฎเป็นราคาสุดท้ายจึงไม่มีส่วนลดต่อไปควรจะนำมาใช้ ดังนั้นในการทำธุรกรรมเช่นสั่งซื้อการขาย ฯลฯ สั่งซื้อจะถูกเรียกในสาขา 'อัตรา' มากกว่าข้อมูล 'ราคาอัตรา' 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 +1165,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่ +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่ apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,การตั้งค่าหุ้น @@ -2607,7 +2612,7 @@ DocType: Project,Task Completion,เสร็จงาน apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ไม่ได้อยู่ในสต็อก DocType: Appraisal,HR User,ผู้ใช้งานทรัพยากรบุคคล DocType: Purchase Invoice,Taxes and Charges Deducted,ภาษีและค่าบริการหัก -apps/erpnext/erpnext/hooks.py +116,Issues,ปัญหา +apps/erpnext/erpnext/hooks.py +124,Issues,ปัญหา apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},สถานะ ต้องเป็นหนึ่งใน {0} DocType: Sales Invoice,Debit To,เดบิตเพื่อ DocType: Delivery Note,Required only for sample item.,ที่จำเป็นสำหรับรายการตัวอย่าง @@ -2636,6 +2641,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,อาณาเขต apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,กรุณาระบุ ไม่ จำเป็นต้องมี การเข้าชม DocType: Stock Settings,Default Valuation Method,วิธีการประเมินค่าเริ่มต้น +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ค่าธรรมเนียม DocType: Vehicle Log,Fuel Qty,น้ำมันเชื้อเพลิงจำนวน DocType: Production Order Operation,Planned Start Time,เวลาเริ่มต้นการวางแผน DocType: Course,Assessment,การประเมินผล @@ -2645,12 +2651,12 @@ 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 +149,Quotation {0} is cancelled,ใบเสนอราคา {0} จะถูกยกเลิก -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ยอดคงค้างทั้งหมด +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,ยอดคงค้างทั้งหมด DocType: Sales Partner,Targets,เป้าหมาย DocType: Price List,Price List Master,ราคาโท DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ขายทำธุรกรรมทั้งหมดสามารถติดแท็กกับหลายบุคคลที่ขาย ** ** เพื่อให้คุณสามารถตั้งค่าและตรวจสอบเป้าหมาย ,S.O. No.,เลขที่ใบสั่งขาย -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},กรุณาสร้าง ลูกค้า จากช่องทาง {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},กรุณาสร้าง ลูกค้า จากช่องทาง {0} DocType: Price List,Applicable for Countries,ใช้งานได้สำหรับประเทศ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,ทิ้งไว้เพียงการประยุกต์ใช้งานที่มีสถานะ 'อนุมัติ' และ 'ปฏิเสธ' สามารถส่ง apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},นักศึกษาชื่อกลุ่มมีผลบังคับใช้ในแถว {0} @@ -2700,6 +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},ไม่พบรายการ 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,ยอดคงค้าง @@ -2742,8 +2749,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,โอนวัสดุ 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.,ร้อยละส่วนลดสามารถนำไปใช้อย่างใดอย่างหนึ่งกับราคาหรือราคาตามรายการทั้งหมด DocType: Purchase Invoice,Half-yearly,รายหกเดือน apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,คุณได้รับการประเมินเกณฑ์การประเมินแล้ว {} DocType: Vehicle Service,Engine Oil,น้ำมันเครื่อง -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,กรุณาติดตั้ง System Employee Naming System ใน Human Resource> HR Settings 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,ที่อยู่ของลูกค้า @@ -2771,7 +2778,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,นิติบุคคล / สาขา ที่มีผังบัญชีแยกกัน ภายใต้องค์กร DocType: Payment Request,Mute Email,ปิดเสียงอีเมล์ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","อาหาร, เครื่องดื่ม และ ยาสูบ" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,อัตราค่านายหน้า ไม่สามารถ จะมากกว่า 100 DocType: Stock Entry,Subcontract,สัญญารับช่วง apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,กรุณากรอก {0} แรก @@ -2799,7 +2806,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,นักศึกษาแผ่นเข้าร่วมประชุมรายเดือน apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},พนักงาน {0} ได้ใช้ แล้วสำหรับ {1} ระหว่าง {2} และ {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,วันที่เริ่มต้นโครงการ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,จนกระทั่ง +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,จนกระทั่ง DocType: Rename Tool,Rename Log,เปลี่ยนชื่อเข้าสู่ระบบ apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,กำหนดกลุ่มนักศึกษาหรือกำหนดหลักสูตร apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,กำหนดกลุ่มนักศึกษาหรือกำหนดหลักสูตร @@ -2824,7 +2831,7 @@ DocType: Purchase Order Item,Returned Qty,จำนวนกลับ DocType: Employee,Exit,ทางออก apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ประเภท ราก มีผลบังคับใช้ DocType: BOM,Total Cost(Company Currency),ค่าใช้จ่ายรวม ( บริษัท สกุล) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,อนุกรม ไม่มี {0} สร้าง +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,อนุกรม ไม่มี {0} สร้าง DocType: Homepage,Company Description for website homepage,รายละเอียด บริษัท สำหรับหน้าแรกของเว็บไซต์ DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",เพื่อความสะดวกของลูกค้า รหัสเหล่านี้จะถูกใช้ในการพิมพ์เอกสาร เช่น ใบแจ้งหนี้ และใบนำส่งสินค้า apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ชื่อ suplier @@ -2845,7 +2852,7 @@ DocType: SMS Settings,SMS Gateway URL,URL เกตเวย์ SMS apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,ตารางหลักสูตรการลบ: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,บันทึกการรักษาสถานะการจัดส่งทาง SMS DocType: Accounts Settings,Make Payment via Journal Entry,ชำระเงินผ่านวารสารรายการ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,พิมพ์บน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,พิมพ์บน DocType: Item,Inspection Required before Delivery,ตรวจสอบก่อนที่จะต้องจัดส่งสินค้า DocType: Item,Inspection Required before Purchase,ตรวจสอบที่จำเป็นก่อนที่จะซื้อ apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ที่รอดำเนินการกิจกรรม @@ -2877,9 +2884,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,นัก apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,จำกัด การข้าม apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,ระยะทางวิชาการกับเรื่องนี้ 'ปีการศึกษา' {0} และ 'ระยะชื่อ' {1} อยู่แล้ว โปรดแก้ไขรายการเหล่านี้และลองอีกครั้ง -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",เนื่องจากมีการทำธุรกรรมที่มีอยู่กับรายการ {0} คุณไม่สามารถเปลี่ยนค่าของ {1} +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}",เนื่องจากมีการทำธุรกรรมที่มีอยู่กับรายการ {0} คุณไม่สามารถเปลี่ยนค่าของ {1} DocType: UOM,Must be Whole Number,ต้องเป็นจำนวนเต็ม DocType: Leave Control Panel,New Leaves Allocated (In Days),ใบใหม่ที่จัดสรร (ในวัน) +DocType: Sales Invoice,Invoice Copy,สำเนาใบกำกับสินค้า apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,อนุกรม ไม่มี {0} ไม่อยู่ DocType: Sales Invoice Item,Customer Warehouse (Optional),คลังสินค้าของลูกค้า (อุปกรณ์เสริม) DocType: Pricing Rule,Discount Percentage,ร้อยละ ส่วนลด @@ -2925,8 +2933,10 @@ 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 +305,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,บัญชีค่าเสื่อมราคาสะสม DocType: Stock Settings,Freeze Stock Entries,ตรึงคอมเมนต์สินค้า +DocType: Program Enrollment,Boarding Student,นักเรียนกินนอน DocType: Asset,Expected Value After Useful Life,ค่าที่คาดหวังหลังจากที่มีชีวิตที่มีประโยชน์ DocType: Item,Reorder level based on Warehouse,ระดับสั่งซื้อใหม่บนพื้นฐานของคลังสินค้า DocType: Activity Cost,Billing Rate,อัตราการเรียกเก็บเงิน @@ -2954,11 +2964,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,เลือกนักเรียนด้วยตนเองสำหรับกลุ่มกิจกรรม DocType: Journal Entry,User Remark,หมายเหตุผู้ใช้ DocType: Lead,Market Segment,ส่วนตลาด -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ที่เรียกชำระแล้วจำนวนเงินที่ไม่สามารถจะสูงกว่ายอดรวมที่โดดเด่นในเชิงลบ {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},ที่เรียกชำระแล้วจำนวนเงินที่ไม่สามารถจะสูงกว่ายอดรวมที่โดดเด่นในเชิงลบ {0} DocType: Employee Internal Work History,Employee Internal Work History,ประวัติการทำงานของพนักงานภายใน apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),ปิด (Dr) DocType: Cheque Print Template,Cheque Size,ขนาดเช็ค -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,อนุกรม ไม่มี {0} ไม่ได้อยู่ใน สต็อก +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,อนุกรม ไม่มี {0} ไม่ได้อยู่ใน สต็อก apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม DocType: Sales Invoice,Write Off Outstanding Amount,เขียนปิดยอดคงค้าง apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},บัญชี {0} ไม่ตรงกับ บริษัท {1} @@ -2983,7 +2993,7 @@ 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 +348,Add a few sample records,เพิ่มบันทึกไม่กี่ตัวอย่าง +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,จัดส่งอย่างเต็มที่ @@ -2997,17 +3007,17 @@ 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 +418,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,การสั่งซื้อของลูกค้า apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,ไม่มี Serial และแบทช์ DocType: Warranty Claim,From Company,จาก บริษัท -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ผลรวมของคะแนนของเกณฑ์การประเมินจะต้อง {0} +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,ผลรวมของคะแนนของเกณฑ์การประเมินจะต้อง {0} 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 +270,Minute,นาที +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,นาที DocType: Purchase Invoice,Purchase Taxes and Charges,ภาษีซื้อและค่าบริการ ,Qty to Receive,จำนวน การรับ DocType: Leave Block List,Leave Block List Allowed,ฝากรายการบล็อกอนุญาตให้นำ @@ -3028,7 +3038,7 @@ DocType: Production Order,PRO-,มือโปร- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,บัญชี เงินเบิกเกินบัญชี ธนาคาร apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,สร้างสลิปเงินเดือน apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,แถว # {0}: จำนวนที่จัดสรรไว้ต้องไม่เกินยอดค้างชำระ -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ดู BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,ดู BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,เงินให้กู้ยืม ที่มีหลักประกัน DocType: Purchase Invoice,Edit Posting Date and Time,แก้ไขวันที่โพสต์และเวลา apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},กรุณาตั้งค่าบัญชีที่เกี่ยวข้องกับค่าเสื่อมราคาสินทรัพย์ในหมวดหมู่ {0} หรือ บริษัท {1} @@ -3044,7 +3054,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 +278,Select Quantity,เลือกจำนวน +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 นี้ @@ -3067,6 +3077,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},ไม่ได้รับอนุญาตในการปรับปรุงการทำธุรกรรมหุ้นเก่ากว่า {0} DocType: Purchase Invoice Item,PR Detail,รายละเอียดประชาสัมพันธ์ DocType: Sales Order,Fully Billed,ในจำนวนอย่างเต็มที่ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ผู้จัดจำหน่าย> ประเภทผู้จัดจำหน่าย 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 +127,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),น้ำหนักรวมของแพคเกจ น้ำหนักสุทธิปกติ + น้ำหนักวัสดุบรรจุภัณฑ์ (สำหรับพิมพ์) @@ -3105,8 +3116,9 @@ 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} ไม่ได้ ส่ง DocType: Customs Tariff Number,Tariff Number,จำนวนภาษี +DocType: Production Order Item,Available Qty at WIP Warehouse,จำนวนที่มีจำหน่ายที่ WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ที่คาดการณ์ไว้ -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน โกดัง {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน โกดัง {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,หมายเหตุ : ระบบ จะไม่ตรวจสอบ มากกว่าการ ส่งมอบและ มากกว่าการ จอง รายการ {0} เป็น ปริมาณ หรือจำนวน เป็น 0 DocType: Notification Control,Quotation Message,ข้อความใบเสนอราคา DocType: Employee Loan,Employee Loan Application,ขอกู้เงินของพนักงาน @@ -3125,13 +3137,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ที่ดินจํานวนเงินค่าใช้จ่ายคูปอง apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ตั๋วเงินยกโดยซัพพลายเออร์ DocType: POS Profile,Write Off Account,เขียนทันทีบัญชี -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,เดบิตหมายเหตุ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,เดบิตหมายเหตุ Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,จำนวน ส่วนลด 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 +207,e.g. VAT,เช่น ภาษีมูลค่าเพิ่ม +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,ย่อยทำสัญญา @@ -3139,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 +1945,Please select customer,กรุณาเลือกลูกค้า +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,กรุณาเลือกลูกค้า DocType: C-Form,I,ผม DocType: Company,Asset Depreciation Cost Center,สินทรัพย์ศูนย์ต้นทุนค่าเสื่อมราคา DocType: Sales Order Item,Sales Order Date,วันที่สั่งซื้อขาย @@ -3168,7 +3180,7 @@ DocType: Lead,Address Desc,ลักษณะ ของ ที่อยู่ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,พรรคมีผลบังคับใช้ DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,ชื่อกระทู้ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,อย่างน้อยต้องเลือกหนึ่งในการขาย หรือการซื้อ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,อย่างน้อยต้องเลือกหนึ่งในการขาย หรือการซื้อ apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,เลือกลักษณะของธุรกิจของคุณ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},แถว # {0}: รายการซ้ำในเอกสารอ้างอิง {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,สถานที่ที่ดำเนินการผลิต @@ -3177,7 +3189,7 @@ 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} DocType: Employee,Confirmation Date,ยืนยัน วันที่ DocType: C-Form,Total Invoiced Amount,มูลค่าใบแจ้งหนี้รวม -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด DocType: Account,Accumulated Depreciation,ค่าเสื่อมราคาสะสม DocType: Stock Entry,Customer or Supplier Details,ลูกค้าหรือผู้ผลิตรายละเอียด DocType: Employee Loan Application,Required by Date,จำเป็นโดยวันที่ @@ -3206,10 +3218,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,รายก apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ชื่อ บริษัท ที่ไม่สามารถเป็น บริษัท apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,หัว จดหมาย สำหรับการพิมพ์ แม่แบบ apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ชื่อ แม่แบบ สำหรับการพิมพ์ เช่นผู้ Proforma Invoice +DocType: Program Enrollment,Walking,ที่เดิน DocType: Student Guardian,Student Guardian,เดอะการ์เดียนักศึกษา apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ค่าใช้จ่ายประเภทการประเมินไม่สามารถทำเครื่องหมายเป็น Inclusive DocType: POS Profile,Update Stock,อัพเดทสต็อก -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ผู้จัดจำหน่าย> ประเภทผู้จัดจำหน่าย apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ที่แตกต่างกัน สำหรับรายการที่ จะ นำไปสู่การ ที่ไม่ถูกต้อง ( รวม ) ค่า น้ำหนักสุทธิ ให้แน่ใจว่า น้ำหนักสุทธิ ของแต่ละรายการ ที่อยู่ในUOM เดียวกัน apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,อัตรา BOM DocType: Asset,Journal Entry for Scrap,วารสารรายการเศษ @@ -3263,7 +3275,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,แสดงภาษีผิดขึ้น apps/erpnext/erpnext/accounts/party.py +308,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,ไม่พบนักเรียน @@ -3283,14 +3294,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ไม่มีนักเรียนเข้ามา +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 +108,Please enter 'Expected Delivery Date',"โปรดป้อน "" วันที่ส่ง ที่คาดหวัง '" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN ไม่ถูกต้องหรือป้อน NA สำหรับที่ไม่ได้ลงทะเบียน +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3331,23 @@ DocType: Sales Team,Contribution (%),สมทบ (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,หมายเหตุ : รายการ การชำระเงินจะ ไม่ได้รับการ สร้างขึ้นตั้งแต่ ' เงินสด หรือ บัญชี ธนาคาร ไม่ได้ระบุ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ความรับผิดชอบ DocType: Expense Claim Account,Expense Claim Account,บัญชีค่าใช้จ่ายเรียกร้อง +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> การตั้งชื่อซีรี่ส์ 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,กรุณากรอก atleast 1 ใบแจ้งหนี้ ในตาราง +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 DocType: Stock Reconciliation Item,Before reconciliation,ก่อนที่จะกลับไปคืนดี apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ไปที่ {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ภาษีและค่าใช้จ่ายเพิ่ม (สกุลเงิน บริษัท ) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้ +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้ DocType: Sales Order,Partly Billed,จำนวนมากที่สุดเป็นส่วนใหญ่ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,รายการ {0} จะต้องเป็นรายการสินทรัพย์ถาวร DocType: Item,Default BOM,BOM เริ่มต้น -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,วงเงินเดบิตหมายเหตุ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,วงเงินเดบิตหมายเหตุ apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,กรุณาชื่อ บริษัท อีกครั้งเพื่อยืนยันชนิด -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,รวมที่โดดเด่น Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,รวมที่โดดเด่น Amt DocType: Journal Entry,Printing Settings,การตั้งค่าการพิมพ์ DocType: Sales Invoice,Include Payment (POS),รวมถึงการชำระเงิน (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},เดบิต รวม ต้องเท่ากับ เครดิต รวม @@ -3342,20 +3355,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,ยา DocType: Vehicle,Insurance Company,บริษัท ประกันภัย DocType: Asset Category Account,Fixed Asset Account,บัญชีสินทรัพย์ถาวร apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,ตัวแปร -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,จากหมายเหตุการจัดส่งสินค้า +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,จากหมายเหตุการจัดส่งสินค้า DocType: Student,Student Email Address,อีเมล์ของนักศึกษา DocType: Timesheet Detail,From Time,ตั้งแต่เวลา apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,มีสินค้า: DocType: Notification Control,Custom Message,ข้อความที่กำหนดเอง apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,วาณิชธนกิจ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ที่อยู่ของนักเรียน apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ที่อยู่ของนักเรียน 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 +1517,Address Name,ชื่อที่อยู่ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ชื่อที่อยู่ DocType: Stock Entry,From BOM,จาก BOM DocType: Assessment Code,Assessment Code,รหัสการประเมิน apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ขั้นพื้นฐาน @@ -3372,7 +3384,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย +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/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,จำนวนเงินที่ชำระหนี้รายเดือนไม่สามารถจะสูงกว่าจำนวนเงินกู้ @@ -3380,7 +3392,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,ค่าใส่ต้องเป็นบวก +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,นักศึกษาลงทะเบียนเรียนแล้ว @@ -3389,7 +3401,7 @@ DocType: Process Payroll,Process Payroll,เงินเดือนกระบ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,มี วันหยุด มากขึ้นกว่าที่ เป็น วันทำการ ในเดือนนี้ DocType: Product Bundle Item,Product Bundle Item,Bundle รายการสินค้า DocType: Sales Partner,Sales Partner Name,ชื่อพันธมิตรขาย -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,การขอใบเสนอราคา +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,การขอใบเสนอราคา DocType: Payment Reconciliation,Maximum Invoice Amount,จำนวนใบแจ้งหนี้สูงสุด DocType: Student Language,Student Language,ภาษานักศึกษา apps/erpnext/erpnext/config/selling.py +23,Customers,ลูกค้า @@ -3400,7 +3412,7 @@ DocType: Asset,Partially Depreciated,Depreciated บางส่วน DocType: Issue,Opening Time,เปิดเวลา apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,จากและถึง วันที่คุณต้องการ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,หลักทรัพย์และ การแลกเปลี่ยน สินค้าโภคภัณฑ์ -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร '{0}' จะต้องเป็นเช่นเดียวกับในแม่แบบ '{1}' +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 +847,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต @@ -3419,7 +3431,7 @@ 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 +266,Raw Material,วัตถุดิบ +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,จำนวน ภาษี หลังจากที่ จำนวน ส่วนลด @@ -3431,7 +3443,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,เปิดวันที่ควรเป็นก่อนที่จะปิดวันที่ -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> การตั้งชื่อซีรี่ส์ 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.,วันที่วันหยุดจะถูกบล็อกสำหรับแผนกนี้ @@ -3443,8 +3454,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0} +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/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,การชำระเงินการแข่งขันกับใบแจ้งหนี้ DocType: Journal Entry,Bank Entry,ธนาคารเข้า DocType: Authorization Rule,Applicable To (Designation),ที่ใช้บังคับกับ (จุด) @@ -3461,7 +3472,7 @@ 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 +270,Hour,ชั่วโมง +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,คุณไม่ได้รับอนุญาตในการอนุมัติใบในวันที่ถูกบล็อก @@ -3471,7 +3482,7 @@ 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 +645,Point of Sale,จุดขาย +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,จุดขาย DocType: Payment Entry,Received Amount,จำนวนเงินที่ได้รับ DocType: GST Settings,GSTIN Email Sent On,ส่งอีเมล GSTIN แล้ว DocType: Program Enrollment,Pick/Drop by Guardian,เลือก / วางโดย Guardian @@ -3488,8 +3499,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 +270,Gram,กรัม -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0 +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/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 หน่วย @@ -3515,14 +3526,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 +465,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,มาร์คเข้าร่วมสำหรับพนักงานหลาย @@ -3554,7 +3565,7 @@ 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 +436,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,รัฐเรียกเก็บเงิน @@ -3602,7 +3613,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},แอตทริบิวต์ไม่ถูกต้อง {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',โปรดเลือกกลุ่มการประเมินอื่นนอกเหนือจาก 'กลุ่มการประเมินทั้งหมด' @@ -3704,16 +3715,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,ส่วนประ DocType: Program Enrollment Tool,New Academic Year,ปีการศึกษาใหม่ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,กลับมา / หมายเหตุเครดิต DocType: Stock Settings,Auto insert Price List rate if missing,แทรกอัตโนมัติราคาอัตรารายชื่อถ้าขาดหายไป -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,รวมจำนวนเงินที่จ่าย +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,รวมจำนวนเงินที่จ่าย DocType: Production Order Item,Transferred Qty,โอน จำนวน apps/erpnext/erpnext/config/learn.py +11,Navigating,การนำ 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 +272,We sell this Item,เราขาย สินค้า นี้ +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,ตัวอย่างข้อมูล 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,ครึ่งวันวัน @@ -3761,7 +3774,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 +1186,Please set Company,โปรดตั้ง บริษัท +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,โปรดตั้ง บริษัท DocType: Pricing Rule,Buying,การซื้อ DocType: HR Settings,Employee Records to be created by,ระเบียนพนักงานที่จะถูกสร้างขึ้นโดย DocType: POS Profile,Apply Discount On,ใช้ส่วนลด @@ -3778,13 +3791,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,เก็บค่าธรรมเนียม DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},บาร์โค้ด {0} ได้ใช้แล้วในรายการ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},บาร์โค้ด {0} ได้ใช้แล้วในรายการ {1} DocType: Lead,Add to calendar on this date,เพิ่มไปยังปฏิทินของวันนี้ apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า DocType: Item,Opening Stock,เปิดการแจ้ง apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ลูกค้า จะต้อง apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} จำเป็นต้องกำหนด สำหรับการทำรายการคืน DocType: Purchase Order,To Receive,ที่จะได้รับ +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,อีเมลส่วนตัว apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ความแปรปรวนทั้งหมด DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",ถ้าเปิดใช้งานระบบจะโพสต์รายการบัญชีสำหรับสินค้าคงคลังโดยอัตโนมัติ @@ -3795,7 +3809,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 +541,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้ +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,ขาย มาตรฐาน @@ -3803,7 +3817,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,ออกจากการรับประกัน DocType: BOM Replace Tool,Replace,แทนที่ apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ไม่พบผลิตภัณฑ์ -DocType: Production Order,Unstopped,เบิก apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} กับการขายใบแจ้งหนี้ {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,ชื่อโครงการ @@ -3814,6 +3827,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} 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} หรือการจับคู่แล้วกับบัตรกำนัลอื่น ๆ @@ -3851,9 +3865,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,รายการที่ {0} ไม่สนใจ เพราะมัน ไม่ได้เป็น รายการที่ สต็อก +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 +40,Submit this Production Order for further processing.,ส่ง การผลิต การสั่งซื้อ นี้ สำหรับการประมวลผล ต่อไป +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,งาน @@ -3861,12 +3875,14 @@ 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 +209,Rate (%),อัตรา (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",เพิ่มผู้ใช้องค์กรของคุณอื่นที่ไม่ใช่ตัวเอง +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',โปรดตั้งค่าตัวกรอง บริษัท หาก Group By เป็น 'Company' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,โพสต์วันที่ไม่สามารถเป็นวันที่ในอนาคต apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},แถว # {0}: ไม่มี Serial {1} ไม่ตรงกับ {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,สบาย ๆ ออก @@ -3895,7 +3911,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,รายการสินค้ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,รายการที่ {0} ไม่ได้ ติดตั้งสำหรับ คอลัมน์ อนุกรม เลขที่ จะต้องมี ที่ว่างเปล่า +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,รายการที่ {0} ไม่ได้ ติดตั้งสำหรับ คอลัมน์ อนุกรม เลขที่ จะต้องมี ที่ว่างเปล่า DocType: Accounts Settings,Accounts Settings,ตั้งค่าบัญชี apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,อนุมัติ DocType: Customer,Sales Partner and Commission,พันธมิตรการขายและสำนักงานคณะกรรมการกำกับ @@ -3910,7 +3926,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 +62,{0} items produced,{0} รายการผลิตแล้ว +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,กลับ @@ -3924,7 +3940,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,อัตราแลกเปลี่ยน -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -3949,18 +3965,18 @@ 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 +705,Online,ออนไลน์ +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} ถูกปิดใช้งาน DocType: Employee Loan,Repay Fixed Amount per Period,ชำระคืนจำนวนคงที่ต่อปีระยะเวลา apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},กรุณากรอก ปริมาณ รายการ {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,หมายเหตุเครดิตหมายเหตุ +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,หมายเหตุเครดิตหมายเหตุ DocType: Employee External Work History,Employee External Work History,ประวัติการทำงานของพนักงานภายนอก DocType: Tax Rule,Purchase,ซื้อ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,คงเหลือ จำนวน @@ -3986,7 +4002,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 +2383,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้ +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้ DocType: Employee,Encashment Date,วันที่การได้เป็นเงินสด DocType: Training Event,Internet,อินเทอร์เน็ต DocType: Account,Stock Adjustment,การปรับ สต็อก @@ -4016,6 +4032,7 @@ DocType: Guardian,Guardian Of ,ผู้ปกครองของ DocType: Grading Scale Interval,Threshold,ธรณีประตู DocType: BOM Replace Tool,Current BOM,BOM ปัจจุบัน apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,เพิ่ม หมายเลขซีเรียล +DocType: Production Order Item,Available Qty at Source Warehouse,จำนวนที่มีอยู่ที่ Source Warehouse apps/erpnext/erpnext/config/support.py +22,Warranty,การรับประกัน DocType: Purchase Invoice,Debit Note Issued,หมายเหตุเดบิตที่ออก DocType: Production Order,Warehouses,โกดัง @@ -4031,13 +4048,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,จำนว apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ผู้จัดการโครงการ ,Quoted Item Comparison,เปรียบเทียบรายการที่ยกมา apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ส่งไป -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ส่วนลดสูงสุดที่ได้รับอนุญาตสำหรับรายการ: {0} เป็น {1}% +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 +279,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 +879,Select Items to Manufacture,เลือกรายการที่จะผลิต -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา" DocType: Item,Material Issue,บันทึกการใช้วัสดุ DocType: Hub Settings,Seller Description,รายละเอียดผู้ขาย DocType: Employee Education,Qualification,คุณสมบัติ @@ -4061,7 +4078,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 +200,Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,ไม่สามารถยกเลิก ได้เพราะ ส่ง สินค้า เข้า {0} มีอยู่ DocType: Employee Loan,Disbursement Date,วันที่เบิกจ่าย DocType: Vehicle,Vehicle,พาหนะ DocType: Purchase Invoice,In Words,จำนวนเงิน (ตัวอักษร) @@ -4082,7 +4099,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",การตั้งค่า นี้ ปีงบประมาณ เป็นค่าเริ่มต้น ให้คลิกที่ 'ตั้ง เป็นค่าเริ่มต้น ' apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ร่วม apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ปัญหาการขาดแคลนจำนวน -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน DocType: Employee Loan,Repay from Salary,ชำระคืนจากเงินเดือน DocType: Leave Application,LAP/,ตัก/ apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ร้องขอการชำระเงินจาก {0} {1} สำหรับจำนวนเงิน {2} @@ -4100,18 +4117,18 @@ 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 +1011,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,อนุกรม ไม่มี {0} ได้รับ อยู่แล้ว +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: Expense Claim,Vehicle Log,ยานพาหนะเข้าสู่ระบบ DocType: Purchase Invoice,Recurring Id,รหัสที่เกิดขึ้น DocType: Customer,Sales Team Details,ขายรายละเอียดทีม -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ลบอย่างถาวร? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},ไม่ถูกต้อง {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ไม่ถูกต้อง {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ป่วย ออกจาก DocType: Email Digest,Email Digest,ข่าวสารทางอีเมล DocType: Delivery Note,Billing Address Name,ชื่อที่อยู่การเรียกเก็บเงิน @@ -4124,6 +4141,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,รับผิดชอบ DocType: Company,Change Abbreviation,เปลี่ยนชื่อย่อ DocType: Expense Claim Detail,Expense Date,วันที่ค่าใช้จ่าย +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์ DocType: Item,Max Discount (%),ส่วนลดสูงสุด (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,คำสั่งสุดท้ายจำนวนเงิน DocType: Task,Is Milestone,เป็น Milestone @@ -4147,8 +4165,8 @@ DocType: Program Enrollment Tool,New Program,โปรแกรมใหม่ DocType: Item Attribute Value,Attribute Value,ค่าแอตทริบิวต์ ,Itemwise Recommended Reorder Level,แนะนำ Itemwise Reorder ระดับ DocType: Salary Detail,Salary Detail,รายละเอียดเงินเดือน -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,กรุณาเลือก {0} ครั้งแรก -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,รุ่นที่ {0} ของรายการ {1} หมดอายุ +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,กรุณาเลือก {0} ครั้งแรก +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,รุ่นที่ {0} ของรายการ {1} หมดอายุ DocType: Sales Invoice,Commission,ค่านายหน้า apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ใบบันทึกเวลาการผลิต apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ไม่ทั้งหมด @@ -4173,12 +4191,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 +399,Operation Time must be greater than 0 for Operation {0},เวลาการดำเนินงานจะต้องมากกว่า 0 สำหรับการปฏิบัติงาน {0} +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/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 +387,Production Order cannot be raised against a Item Template,ใบสั่งผลิตไม่สามารถขึ้นกับแม่แบบรายการ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,วันที่เริ่มต้น @@ -4208,7 +4226,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,วันที่จำหน่าย DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",อีเมลจะถูกส่งไปยังพนักงานที่ใช้งานทั้งหมดของ บริษัท ในเวลาที่กำหนดหากพวกเขาไม่ได้มีวันหยุด บทสรุปของการตอบสนองจะถูกส่งในเวลาเที่ยงคืน DocType: Employee Leave Approver,Employee Leave Approver,อนุมัติพนักงานออก -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",ไม่ สามารถประกาศ เป็น หายไป เพราะ ใบเสนอราคา ได้รับการทำ 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} จะต้องส่ง @@ -4242,6 +4260,7 @@ DocType: Announcement,Student,นักเรียน apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,หน่วย องค์กร (เขตปกครอง) ต้นแบบ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,กรุณากรอก กัดกร่อน มือถือ ที่ถูกต้อง apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,กรุณาใส่ข้อความ ก่อนที่จะส่ง +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,ทำซ้ำสำหรับซัพพลายเออร์ DocType: Email Digest,Pending Quotations,ที่รอการอนุมัติใบเสนอราคา apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,จุดขายข้อมูลส่วนตัว apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,กรุณาอัปเดตการตั้งค่า SMS @@ -4250,7 +4269,7 @@ DocType: Cost Center,Cost Center Name,ค่าใช้จ่ายชื่อ DocType: Employee,B+,B+ DocType: HR Settings,Max working hours against Timesheet,แม็กซ์ชั่วโมงการทำงานกับ Timesheet DocType: Maintenance Schedule Detail,Scheduled Date,วันที่กำหนด -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ทั้งหมดที่จ่าย Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,ทั้งหมดที่จ่าย Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,ข้อความที่ยาวกว่า 160 ตัวอักษร จะถูกแบ่งออกเป็นหลายข้อความ DocType: Purchase Receipt Item,Received and Accepted,และได้รับการยอมรับ ,GST Itemised Sales Register,GST ลงทะเบียนสินค้า @@ -4260,7 +4279,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 +237,Your Suppliers,ซัพพลายเออร์ ของคุณ +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ไม่สามารถหักค่าใช้จ่ายเมื่อเป็นหมวดหมู่สำหรับ 'การประเมินค่า' หรือ 'Vaulation และรวม @@ -4272,7 +4291,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}",ตามการตั้งค่าการซื้อหาก Purchase Reciept Required == 'YES' จากนั้นสำหรับการสร้าง Invoice ซื้อผู้ใช้ต้องสร้างใบเสร็จการรับสินค้าเป็นอันดับแรกสำหรับรายการ {0} apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ภาพ Website {0} แนบไปกับรายการ {1} ไม่สามารถพบได้ +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.,รายการนี้ในหลายกลุ่มในเว็บไซต์ @@ -4287,7 +4306,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,มัน apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ไปที่โกดัง apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ทั้งหมดเป็นนักศึกษา ,Average Commission Rate,อัตราเฉลี่ยของค่าคอมมิชชั่น -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'มีเลขซีเรียล' ไม่สามารถเป็น 'ใช่' สำหรับรายการที่ไม่ใช่สต็อก +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'มีเลขซีเรียล' ไม่สามารถเป็น 'ใช่' สำหรับรายการที่ไม่ใช่สต็อก apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ผู้เข้าร่วมไม่สามารถทำเครื่องหมายสำหรับวันที่ในอนาคต DocType: Pricing Rule,Pricing Rule Help,กฎการกำหนดราคาช่วยเหลือ DocType: School House,House Name,ชื่อบ้าน @@ -4303,7 +4322,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 +339,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,วันประกันเริ่มต้นควรจะน้อยกว่าวันประกันสิ้นสุด @@ -4318,20 +4337,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับแผ่นเวลา {1} DocType: Vehicle Log,Odometer,วัดระยะทาง DocType: Sales Order Item,Ordered Qty,สั่งซื้อ จำนวน -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน +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 +874,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,รายละเอียดเชื้อเพลิง apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,สร้าง Slips เงินเดือน -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",ต้องเลือก การซื้อ ถ้าเลือก ใช้ได้กับ เป็น {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",ต้องเลือก การซื้อ ถ้าเลือก ใช้ได้กับ เป็น {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ส่วนลด จะต้อง น้อยกว่า 100 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 +500,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,การลงทะเบียนโปรแกรม DocType: Landed Cost Voucher,Landed Cost Voucher,ที่ดินคูปองต้นทุน @@ -4395,7 +4414,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,วันที่ คาดว่าจะ ไม่สามารถเป็น วัสดุ ก่อนที่จะ ขอ วันที่ DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น -DocType: Production Order,Source Warehouse (for reserving Items),แหล่งที่มาของคลังสินค้า (สำหรับการจองรายการ) DocType: Employee Loan,Repayment Period in Months,ระยะเวลาชำระหนี้ในเดือน apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,ข้อผิดพลาด: ไม่ได้รหัสที่ถูกต้อง? DocType: Naming Series,Update Series Number,จำนวน Series ปรับปรุง @@ -4444,7 +4462,7 @@ DocType: Production Order,Planned End Date,วันที่สิ้นสุ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,ที่รายการจะถูกเก็บไว้ DocType: Request for Quotation,Supplier Detail,รายละเอียดผู้จัดจำหน่าย apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},ข้อผิดพลาดในสูตรหรือเงื่อนไข: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,ใบแจ้งหนี้จํานวนเงิน +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,ใบแจ้งหนี้จํานวนเงิน DocType: Attendance,Attendance,การดูแลรักษา apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,รายการที่แจ้ง DocType: BOM,Materials,วัสดุ @@ -4485,10 +4503,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,การตั้งค่าเว็บไซต์ที่ง่ายสำหรับองค์กรของฉัน +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0} DocType: Item,Default Warehouse,คลังสินค้าเริ่มต้น apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},งบประมาณไม่สามารถกำหนดกลุ่มกับบัญชี {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,กรุณาใส่ ศูนย์ ค่าใช้จ่าย ของผู้ปกครอง @@ -4550,7 +4568,7 @@ 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 +1344,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่ +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/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,นี้ขึ้นอยู่กับการเข้าร่วมของพนักงานนี้ @@ -4558,6 +4576,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,วันที่เริ่มต้นปี DocType: Attendance,Employee Name,ชื่อของพนักงาน DocType: Sales Invoice,Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท ) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,กรุณาติดตั้ง System Employee Naming System ใน Human Resource> HR Settings 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} ถูกแก้ไขแล้ว กรุณาโหลดใหม่อีกครั้ง DocType: Leave Block List,Stop users from making Leave Applications on following days.,หยุดผู้ใช้จากการทำแอพพลิเคที่เดินทางในวันที่ดังต่อไปนี้ @@ -4580,7 +4599,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Reading 3 ,Hub,ดุม DocType: GL Entry,Voucher Type,ประเภทบัตรกำนัล -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ราคาไม่พบหรือคนพิการ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} จะต้องตั้งค่า เป็น ' ซ้าย ' @@ -4600,7 +4619,7 @@ DocType: POS Profile,Account for Change Amount,บัญชีเพื่อก apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},แถว {0}: ปาร์ตี้ / บัญชีไม่ตรงกับ {1} / {2} ใน {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,กรุณากรอกบัญชีค่าใช้จ่าย DocType: Account,Stock,คลังสินค้า -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ" DocType: Employee,Current Address,ที่อยู่ปัจจุบัน DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","หากรายการเป็นตัวแปรของรายการอื่นแล้วคำอธิบายภาพ, การกำหนดราคาภาษี ฯลฯ จะถูกตั้งค่าจากแม่นอกจากที่ระบุไว้อย่างชัดเจน" DocType: Serial No,Purchase / Manufacture Details,รายละเอียด การซื้อ / การผลิต @@ -4639,11 +4658,12 @@ DocType: Student,Home Address,ที่อยู่บ้าน apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,การโอนสินทรัพย์ DocType: POS Profile,POS Profile,รายละเอียด จุดขาย DocType: Training Event,Event Name,ชื่องาน -apps/erpnext/erpnext/config/schools.py +39,Admission,การรับเข้า +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,การรับเข้า apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},การรับสมัครสำหรับ {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",รายการ {0} เป็นแม่แบบโปรดเลือกหนึ่งในตัวแปรของมัน DocType: Asset,Asset Category,ประเภทสินทรัพย์ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,ผู้ซื้อ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ DocType: SMS Settings,Static Parameters,พารามิเตอร์คง DocType: Assessment Plan,Room,ห้อง @@ -4652,6 +4672,7 @@ DocType: Item,Item Tax,ภาษีสินค้า apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,วัสดุในการจัดจำหน่าย apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,สรรพสามิตใบแจ้งหนี้ apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,treshold {0}% ปรากฏมากกว่าหนึ่งครั้ง +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> เขตแดน DocType: Expense Claim,Employees Email Id,Email รหัสพนักงาน DocType: Employee Attendance Tool,Marked Attendance,ผู้เข้าร่วมการทำเครื่องหมาย apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,หนี้สินหมุนเวียน @@ -4723,6 +4744,7 @@ DocType: Leave Type,Is Carry Forward,เป็น Carry Forward apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,ไม่ได้ส่งสลิปเงินเดือน ,Stock Summary,แจ้งข้อมูลอย่างย่อ diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv index dd49a4b451..cdb7632f5a 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 +194,"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 +192,"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 @@ -86,7 +86,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}" +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 +808,Invoice,Fatura DocType: Maintenance Schedule Item,Periodicity,Periyodik olarak tekrarlanma DocType: Maintenance Schedule Item,Periodicity,Periyodik olarak tekrarlanma @@ -108,8 +108,8 @@ 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 DocType: Employee,Holiday List,Tatil Listesi DocType: Employee,Holiday List,Tatil Listesi -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Muhasebeci -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Muhasebeci +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Muhasebeci +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Muhasebeci DocType: Cost Center,Stock User,Hisse Senedi Kullanıcı DocType: Company,Phone No,Telefon No apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Ders Programları oluşturuldu: @@ -132,8 +132,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 +269,Kg,Kilogram -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kilogram +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Kilogram +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +145,7 @@ DocType: Employee,Married,Evli DocType: Employee,Married,Evli apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Izin verilmez {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Öğeleri alın -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +442,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 +159,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 +1673,Not items found,ürün bulunamadı +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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ü @@ -170,9 +170,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stok Raporları DocType: Warehouse,Warehouse Detail,Depo Detayı apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredi limiti müşteri için aşıldı {0} {1} / {2} 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.,Dönem Bitiş Tarihi sonradan terim bağlantılı olduğu için Akademik Yılı Yıl Sonu tarihi daha olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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/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 @@ -188,7 +189,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Gönderen {0} için {1} DocType: Item,Copy From Item Group,Ürün Grubundan kopyalayın DocType: Journal Entry,Opening Entry,Açılış Girdisi -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Hesabı yalnızca öde DocType: Employee Loan,Repay Over Number of Periods,Sürelerinin Üzeri sayısı Repay DocType: Stock Entry,Additional Costs,Ek maliyetler @@ -210,7 +210,7 @@ apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity 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/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 +7,Statement of Account,Hesap Beyanı +apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +1,Statement of Account,Hesap Beyanı apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Ecza DocType: Purchase Invoice Item,Is Fixed Asset,Sabit Varlık apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Uygun miktar {0}, ihtiyacınız {1}" @@ -221,7 +221,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Tüketilir +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -248,13 +248,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},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 +143,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 +144,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 +302,Example: Basic Mathematics,Örnek: Temel Matematik +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/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ı @@ -278,6 +278,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Öğeleri ve Fiyatlandırma apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Toplam saat: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Tarihten itibaren Mali yıl içinde olmalıdır Tarihten itibaren = {0} varsayılır +apps/erpnext/erpnext/hooks.py +87,Quotes,tırnak işareti DocType: Customer,Individual,Bireysel DocType: Interest,Academics User,Akademik Kullanıcı DocType: Cheque Print Template,Amount In Figure,Miktar (Figür) @@ -313,7 +314,7 @@ DocType: Selling Settings,Default Territory,Standart Bölge apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televizyon apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Televizyon DocType: Production Order Operation,Updated via 'Time Log','Zaman Log' aracılığıyla Güncelleme -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Peşin miktar daha büyük olamaz {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},Peşin miktar daha büyük olamaz {0} {1} DocType: Naming Series,Series List for this Transaction,Bu İşlem için Seri Listesi DocType: Naming Series,Series List for this Transaction,Bu İşlem için Seri Listesi DocType: Company,Enable Perpetual Inventory,Sürekli Envanteri Etkinleştir @@ -322,7 +323,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 +177,For Warehouse is required before Submit,Sunulmadan önce gerekli depo için +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/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 @@ -331,13 +332,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 +2256,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,İletişim İsmi +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -351,14 +352,14 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Ayrılma tarihi Katılma tarihinden sonra olmalıdır apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Yıl başına bırakır 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 +189,Warehouse {0} does not belong to company {1},Depo {0} Şirket {1}e ait değildir +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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,İzin engellendi -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir. +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir. apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Banka Girişler apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Yıllık apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Yıllık @@ -367,7 +368,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 +316,People who teach at your organisation,kuruluşunuz öğretmek insanlar +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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 @@ -380,7 +381,7 @@ DocType: POS Profile,Allow user to edit Rate,Kullanıcı Oranı düzenlemesine i 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 +699,Item {0} is cancelled,Ürün {0} iptal edildi +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 +882,Material Request,Malzeme Talebi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Malzeme Talebi DocType: Bank Reconciliation,Update Clearance Date,Güncelleme Alma Tarihi @@ -427,7 +428,7 @@ DocType: Vehicle,Fleet Manager,Filo Yöneticisi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,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 +363,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ı @@ -446,7 +447,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} iki kere ürün vergisi girildi +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} iki kere ürün vergisi girildi apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Bu hafta ve bekleyen aktiviteler için Özet DocType: Student Applicant,Admitted,Başvuruldu DocType: Workstation,Rent Cost,Kira Bedeli @@ -483,7 +484,7 @@ DocType: Purchase Order,% Received,% Alındı DocType: Purchase Order,% Received,% Alındı apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Öğrenci Grupları Oluşturma apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Kurulum Tamamlandı! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredi Not Tutarı +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Kredi Not Tutarı ,Finished Goods,Mamüller ,Finished Goods,Mamüller DocType: Delivery Note,Instructions,Talimatlar @@ -517,8 +518,9 @@ 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 +1456,Create a new Customer,Yeni müşteri oluştur +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kurulum ile Seyirci için numaralandırma serisini ayarlayın> Serileri Numaralandırma apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Satınalma Siparişleri oluşturun ,Purchase Register,Satın alma kaydı DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -550,7 +552,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb. +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/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ı @@ -573,7 +575,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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ı -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Özellik {0} Nitelikler Tablo birden çok kez seçilmiş +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Özellik {0} Nitelikler Tablo birden çok kez seçilmiş DocType: HR Settings,Employee record is created using selected field. ,Çalışan kaydı seçilen alan kullanılarak yapılmıştır DocType: Sales Order,Not Applicable,Uygulanamaz DocType: Sales Order,Not Applicable,Uygulanamaz @@ -614,7 +616,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 +219,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 +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/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 @@ -632,7 +634,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Malzeme Talebinin yapılacağı Depoyu girin DocType: Production Order,Additional Operating Cost,Ek İşletme Maliyeti apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Bakım ürünleri -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikler her iki Ürün için de aynı olmalıdır" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikler her iki Ürün için de aynı olmalıdır" DocType: Shipping Rule,Net Weight,Net Ağırlık DocType: Employee,Emergency Phone,Acil Telefon DocType: Employee,Emergency Phone,Acil Telefon @@ -644,7 +646,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 +2428,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz +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 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 @@ -667,7 +669,7 @@ DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ekle / Düzenle Vergi ve DocType: Purchase Invoice,Supplier Invoice No,Tedarikçi Fatura No DocType: Purchase Invoice,Supplier Invoice No,Tedarikçi Fatura No DocType: Territory,For reference,Referans için -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Silinemiyor Seri No {0}, hisse senedi işlemlerinde kullanıldığı gibi" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Silinemiyor Seri No {0}, hisse senedi işlemlerinde kullanıldığı gibi" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Kapanış (Cr) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Kapanış (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Taşı Öğe @@ -695,7 +697,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,İlk Şirket ve Parti Tipi seçiniz apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Mali / Muhasebe yılı. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Birikmiş Değerler -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Üzgünüz, seri numaraları birleştirilemiyor" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Üzgünüz, seri numaraları birleştirilemiyor" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Satış Emri verin DocType: Project Task,Project Task,Proje Görevi ,Lead Id,Talep Yaratma Kimliği @@ -717,6 +719,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Tahsis apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Satış İade 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,Not: Toplam tahsis edilen yaprakları {0} zaten onaylanmış yaprakları daha az olmamalıdır {1} dönem için +,Total Stock Summary,Toplam Stok Özeti DocType: Announcement,Posted By,Tarafından gönderildi DocType: Item,Delivered by Supplier (Drop Ship),Yüklenici tarafından teslim (Bırak Gemi) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Potansiyel müşterilerin Veritabanı. @@ -728,7 +731,7 @@ DocType: Lead,Middle Income,Orta Gelir DocType: Lead,Middle Income,Orta Gelir apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Açılış (Cr) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Açılış (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Zaten başka Ölçü Birimi bazı işlem (ler) yaptık çünkü Öğe için Ölçü Varsayılan Birim {0} doğrudan değiştirilemez. Farklı Standart Ölçü Birimi kullanmak için yeni bir öğe oluşturmanız gerekecektir. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Zaten başka Ölçü Birimi bazı işlem (ler) yaptık çünkü Öğe için Ölçü Varsayılan Birim {0} doğrudan değiştirilemez. Farklı Standart Ölçü Birimi kullanmak için yeni bir öğe oluşturmanız gerekecektir. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Tahsis edilen miktar negatif olamaz apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lütfen şirketi ayarlayın. apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lütfen şirketi ayarlayın. @@ -751,6 +754,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Alanlar DocType: Assessment Plan,Maximum Assessment Score,Maksimum Değerlendirme Puanı apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Güncelleme Banka İşlem Tarihleri apps/erpnext/erpnext/config/projects.py +30,Time Tracking,Zaman Takip +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ULAŞTIRICI ARALIĞI DocType: Fiscal Year Company,Fiscal Year Company,Mali Yıl Şirketi DocType: Packing Slip Item,DN Detail,DN Detay DocType: Packing Slip Item,DN Detail,DN Detay @@ -799,8 +803,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 +320,Timesheet created:,Zaman Çizelgesi oluşturuldu: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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ı @@ -834,7 +838,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 +139,Finish,Bitiş +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Bitiş apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,baz DocType: Timesheet,Total Billed Hours,Toplam Faturalı Saat DocType: Journal Entry,Write Off Amount,Borç Silme Miktarı @@ -875,7 +879,7 @@ DocType: Hub Settings,Seller City,Satıcı Şehri ,Absent Student Report,Olmayan Öğrenci Raporu DocType: Email Digest,Next email will be sent on:,Sonraki e-posta gönderilecek: DocType: Offer Letter Term,Offer Letter Term,Mektubu Dönem Teklif -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Öğe varyantları vardır. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Öğe varyantları vardır. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Ürün {0} bulunamadı DocType: Bin,Stock Value,Stok Değeri DocType: Bin,Stock Value,Stok Değeri @@ -931,13 +935,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: 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 +332,"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/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 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 +48,Make Timesheet,Zaman Çizelgesi olun +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -999,14 +1003,14 @@ apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Fiya DocType: Employee,Family Background,Aile Geçmişi DocType: Request for Quotation Supplier,Send Email,E-posta Gönder DocType: Request for Quotation Supplier,Send Email,E-posta Gönder -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Uyarı: Geçersiz Eklenti {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,İzin yok +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Uyarı: Geçersiz Eklenti {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,İzin yok DocType: Company,Default Bank Account,Varsayılan Banka Hesabı 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 +269,Nos,adet +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 @@ -1028,7 +1032,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 +274,Timesheet {0} is already completed or cancelled,Zaman Çizelgesi {0} tamamlanmış veya iptal edilir +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/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ış @@ -1129,14 +1133,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +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} 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 +543,BOM {0} must be active,BOM {0} aktif olmalıdır +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Seri No {0} Ürün {1} e ait değil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Seri No {0} Ürün {1} e ait değil DocType: Purchase Receipt Item Supplied,Required Qty,Gerekli Adet apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Mevcut işlem ile depolar defterine dönüştürülür edilemez. DocType: Bank Reconciliation,Total Amount,Toplam Tutar @@ -1156,7 +1160,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Bileşenler apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ürün Varlık Kategori giriniz {0} DocType: Quality Inspection Reading,Reading 6,6 Okuma -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,değil {0} {1} {2} olmadan herhangi bir olumsuz ödenmemiş fatura Can +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,değil {0} {1} {2} olmadan herhangi bir olumsuz ödenmemiş fatura Can DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fatura peşin alım DocType: Hub Settings,Sync Now,Sync Şimdi apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Satır {0}: Kredi giriş ile bağlantılı edilemez bir {1} @@ -1171,13 +1175,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 +731,New Sales Invoice,Yeni Satış Faturası +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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 @@ -1215,10 +1219,10 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimyasal apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimyasal DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Bu mod seçildiğinde varsayılan Banka / Kasa hesabı otomatik Maaş Dergisi girdisi güncellenecektir. DocType: BOM,Raw Material Cost(Company Currency),Hammadde Maliyeti (Şirket Para Birimi) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Tüm öğeler zaten bu üretim Sipariş devredilmiştir. +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 +270,Meter,Metre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1242,7 +1246,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 +452,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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ı @@ -1252,7 +1256,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 +259,Qty for {0},Için Adet {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 @@ -1265,10 +1269,10 @@ DocType: Purchase Invoice,Cash/Bank Account,Kasa / Banka Hesabı apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Lütfen belirtin a {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Miktar veya değer hiçbir değişiklik ile kaldırıldı öğeler. DocType: Delivery Note,Delivery To,Teslim -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Özellik tablosu zorunludur +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Özellik tablosu zorunludur DocType: Production Planning Tool,Get Sales Orders,Satış Şiparişlerini alın -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} negatif olamaz -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} negatif olamaz +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} negatif olamaz +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} negatif olamaz apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Indirim DocType: Asset,Total Number of Depreciations,Amortismanlar Sayısı DocType: Sales Invoice Item,Rate With Margin,Marjla Oran @@ -1311,7 +1315,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 +1546,ZIP Code,Posta Kodu +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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ı @@ -1332,7 +1336,7 @@ 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 +238,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 +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/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) @@ -1359,7 +1363,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et 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 +224,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 +71,Please set 'Apply Additional Discount On',Set 'On İlave İndirim Uygula' Lütfen +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 DocType: Global Defaults,Global Defaults,Küresel Varsayılanlar @@ -1368,10 +1372,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 +22,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 +23,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 +347,Capacity Planning Error,Kapasite Planlama Hatası +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,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 @@ -1393,7 +1397,7 @@ DocType: Purchase Invoice,Is Return,İade mi apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},Ürün {1} için {0} geçerli bir seri numarası +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ı apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Ürün Kodu Seri No için değiştirilemez apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Ürün Kodu Seri No için değiştirilemez apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Profili {0} zaten kullanıcı için oluşturulan: {1} ve şirket {2} @@ -1405,7 +1409,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 +675,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 +2389,"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 +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. 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" @@ -1455,7 +1459,7 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Değerlendirme DocType: Grading Scale,Intervals,Aralıklar apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,En erken apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,En erken -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Öğe {0} Toplu olamaz @@ -1484,7 +1488,7 @@ 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 +288,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans +apps/erpnext/erpnext/public/js/setup_wizard.js +316,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ığı @@ -1497,7 +1501,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac 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/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 +65,Sales Order {0} is not valid,Satış Sipariş {0} geçerli değildir +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/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} \ @@ -1516,18 +1520,18 @@ DocType: Employee,Place of Issue,Verildiği yer apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Sözleşme apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Sözleşme DocType: Email Digest,Add Quote,Alıntı ekle -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Ürün {1} de Ölçü Birimi: {0} için Ölçü Birimi dönüştürme katsayısı gereklidir. +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Ürün {1} de Ölçü Birimi: {0} için Ölçü Birimi dönüştürme katsayısı gereklidir. apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Dolaylı Giderler apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Dolaylı Giderler apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur 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 +736,Sync Master Data,Senkronizasyon Ana Veri -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ürünleriniz veya hizmetleriniz +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 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 +181,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır +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 DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,Ürün Ağacı apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Bu bir kök Ürün grubudur ve düzenlenemez. @@ -1547,7 +1551,7 @@ 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 +562,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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ı @@ -1556,8 +1560,6 @@ 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 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Üretim Sipariş durumu {0} -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Üretim Sipariş durumu {0} DocType: Appraisal Goal,Goal,Hedef DocType: Appraisal Goal,Goal,Hedef DocType: Sales Invoice Item,Edit Description,Edit Açıklama @@ -1576,15 +1578,15 @@ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse ex DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları 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 +177,Serial number {0} entered more than once,Seri numarası {0} birden çok girilmiş +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 +78,{0} items in progress,{0} ürün işlemde +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} Öğe ait değil {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1657,6 @@ 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/public/js/setup_wizard.js +345,Bootstrap,çizme atkısı 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" @@ -1672,7 +1673,7 @@ 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 +260,Max: {0},Max: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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 @@ -1684,7 +1685,7 @@ apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,H apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Hesap Tablosu DocType: Material Request,Terms and Conditions Content,Şartlar ve Koşullar İçeriği apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 'den daha büyük olamaz -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Ürün {0} bir stok ürünü değildir +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Ürün {0} bir stok ürünü değildir DocType: Maintenance Visit,Unscheduled,Plânlanmamış DocType: Employee,Owned,Hisseli DocType: Salary Detail,Depends on Leave Without Pay,Pay olmadan İzni bağlıdır @@ -1721,7 +1722,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 +273,We buy this Item,Bu ürünü alıyoruz +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 +1734,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 +266,Sub Assemblies,Alt Kurullar -apps/erpnext/erpnext/public/js/setup_wizard.js +266,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 +294,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 @@ -1774,13 +1775,13 @@ DocType: Sales Invoice,Source,Kaynak DocType: Sales Invoice,Source,Kaynak apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Kapalı olanları göster DocType: Leave Type,Is Leave Without Pay,Pay Yapmadan mı -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Bu {0} çatışmalar {1} için {2} {3} DocType: Student Attendance Tool,Students HTML,Öğrenciler HTML DocType: POS Profile,Apply Discount,İndirim uygula -DocType: Purchase Invoice Item,GST HSN Code,GST HSN Kodu +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 @@ -1827,9 +1828,9 @@ 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 +2573,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kutu -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kutu +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 +873,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 @@ -1863,7 +1864,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,Geri Ödeme Yöntemi DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Seçili ise, Ana sayfa web sitesi için varsayılan Ürün Grubu olacak" DocType: Quality Inspection Reading,Reading 4,4 Okuma -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} Proje için bulunamadı için varsayılan BOM {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Şirket Gideri Talepleri. 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} @@ -1881,23 +1881,23 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Yeni görev apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Teklifi Yap apps/erpnext/erpnext/config/selling.py +216,Other Reports,diğer Raporlar DocType: Dependent Task,Dependent Task,Bağımlı Görev -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Tedbir varsayılan Birimi için dönüşüm faktörü satırda 1 olmalıdır {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Tedbir varsayılan Birimi için dönüşüm faktörü satırda 1 olmalıdır {0} 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} DocType: SMS Center,Receiver List,Alıcı Listesi DocType: SMS Center,Receiver List,Alıcı Listesi -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Arama Öğe +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Zaten tamamlandı +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/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 +263,Quantity must not be more than {0},Miktar fazla olmamalıdır {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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ü @@ -1905,7 +1905,7 @@ DocType: Customer,Customer POS Id,Müşteri POS Kimliği DocType: Account,Account Name,Hesap adı DocType: Account,Account Name,Hesap adı apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Tarihten itibaren tarihe kadardan ileride olamaz -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Seri No {0} miktar {1} kesir olamaz +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Seri No {0} miktar {1} kesir olamaz apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Tedarikçi Türü Alanı. DocType: Purchase Order Item,Supplier Part Number,Tedarikçi Parti Numarası apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz @@ -1914,6 +1914,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} DocType: Accounts Settings,Credit Controller,Kredi Kontrolü DocType: Delivery Note,Vehicle Dispatch Date,Araç Sevk Tarihi DocType: Delivery Note,Vehicle Dispatch Date,Araç Sevk Tarihi +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Satın alma makbuzu {0} teslim edilmedi DocType: Company,Default Payable Account,Standart Ödenecek Hesap apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Böyle nakliye kuralları, fiyat listesi vb gibi online alışveriş sepeti için Ayarlar" @@ -1975,7 +1976,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Yapraklar gibi yapr DocType: Sales Invoice,Packed Items,Paketli Ürünler apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Seri No. karşı Garanti İddiası DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Kullanılan tüm diğer reçetelerde belirli BOM değiştirin. Bu, eski BOM bağlantısını yerine maliyet güncelleme ve yeni BOM göre ""BOM Patlama Öğe"" tablosunu yeniden edecek" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Toplam' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Toplam' DocType: Shopping Cart Settings,Enable Shopping Cart,Alışveriş Sepeti etkinleştirin DocType: Employee,Permanent Address,Daimi Adres apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -2017,6 +2018,7 @@ 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ı! DocType: Course Assessment Criteria,Weightage,Ağırlık +DocType: Sales 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. @@ -2039,7 +2041,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 +699,Offline,Çevrimdışı +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -2059,7 +2061,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Ana apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varyant DocType: Naming Series,Set prefix for numbering series on your transactions,İşlemlerinizde seri numaralandırma için ön ek ayarlayın DocType: Employee Attendance Tool,Employees HTML,"Çalışanlar, HTML" -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır 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 @@ -2074,7 +2076,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 +175,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 +173,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 @@ -2084,8 +2086,8 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Öğrenci Grubu Gücü apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Journal Karşı giriş {0} herhangi eşsiz {1} girişi yok apps/erpnext/erpnext/config/hr.py +137,Appraisals,Appraisals -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0} +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} +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" @@ -2094,7 +2096,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} teslim edilmelidir +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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} @@ -2114,13 +2116,13 @@ 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 +257,"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 +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" 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: Asset Movement,Asset Movement,Varlık Hareketi -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Yeni Sepet +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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 @@ -2149,7 +2151,7 @@ DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Satınalma Makbuzl DocType: Serial No,Creation Date,Oluşturulma Tarihi DocType: Serial No,Creation Date,Oluşturulma Tarihi apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Ürün {0} Fiyat Listesi {1} birden çok kez görüntülenir -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",Uygulanabilir {0} olarak seçildiyse satış işaretlenmelidir +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",Uygulanabilir {0} olarak seçildiyse satış işaretlenmelidir DocType: Production Plan Material Request,Material Request Date,Malzeme Talep Tarihi DocType: Purchase Order Item,Supplier Quotation Item,Tedarikçi Teklif ürünü DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Üretim Siparişleri karşı gerçek zamanlı günlükleri oluşturulmasını devre dışı bırakır. Operasyonlar Üretim Emri karşı izlenen edilmeyecektir @@ -2166,13 +2168,13 @@ DocType: Budget,Fiscal Year,Mali yıl DocType: Vehicle Log,Fuel Price,yakıt Fiyatı DocType: Budget,Budget,Bütçe DocType: Budget,Budget,Bütçe -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Sabit Kıymet Öğe olmayan bir stok kalemi olmalıdır. +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. apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bir gelir ya da gider hesabı değil gibi Bütçe, karşı {0} atanamaz" 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 +209,e.g. 5,örneğin 5 -apps/erpnext/erpnext/public/js/setup_wizard.js +209,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 +234,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. @@ -2183,7 +2185,7 @@ 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 +263,A Product or Service,Ürün veya Hizmet +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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 @@ -2270,8 +2272,8 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Çift -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Çift +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 +862,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 @@ -2291,11 +2293,11 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Gerçek tamamlanma tarihi (Zaman Tablosu'ndan) 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 +160,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 +342,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir +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 DocType: Shipping Rule Condition,Shipping Amount,Kargo Tutarı DocType: Shipping Rule Condition,Shipping Amount,Kargo Tutarı -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Müşteriyi Ekleyin +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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ı @@ -2314,6 +2316,7 @@ DocType: Journal Entry,Accounts Receivable,Alacak hesapları ,Supplier-Wise Sales Analytics,Tedarikçi Satış Analizi apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Ücretli Miktar giriniz DocType: Salary Structure,Select employees for current Salary Structure,Geçerli Maaş Yapısı için seçin çalışanlar +DocType: Sales Invoice,Company Address Name,Şirket Adresi Adı DocType: Production Order,Use Multi-Level BOM,Çok Seviyeli BOM kullan DocType: Bank Reconciliation,Include Reconciled Entries,Mutabık girdileri dahil edin 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)" @@ -2336,8 +2339,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 +269,Unit,Birim -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Birim +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/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 @@ -2363,7 +2366,7 @@ 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/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 +1004,"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 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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. @@ -2373,7 +2376,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Bölgelere göre Müşteriler sınıflandırılması apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Fark Tutar sıfır olmalıdır DocType: Project,Gross Margin,Brüt Marj -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Önce Üretim Ürününü giriniz +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 +748,Quotation,Fiyat Teklifi @@ -2387,7 +2390,7 @@ 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ş DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Mali Yılı ** Mali Yılı temsil eder. Tüm muhasebe kayıtları ve diğer önemli işlemler ** ** Mali Yılı karşı izlenir. DocType: Opportunity,Customer / Lead Address,Müşteri Adresi -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Uyarı: eki Geçersiz SSL sertifikası {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Uyarı: eki Geçersiz SSL sertifikası {0} DocType: Student Admission,Eligibility,uygunluk apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","İlanlar iş, tüm kişileri ve daha fazla potansiyel müşteri olarak eklemek yardımcı" DocType: Production Order Operation,Actual Operation Time,Gerçek Çalışma Süresi @@ -2409,11 +2412,11 @@ DocType: Appraisal,Calculate Total Score,Toplam Puan Hesapla DocType: Request for Quotation,Manufacturing Manager,Üretim Müdürü apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Seri No {0} {1} uyarınca garantide apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,İrsaliyeyi ambalajlara böl. -apps/erpnext/erpnext/hooks.py +87,Shipments,Gönderiler +apps/erpnext/erpnext/hooks.py +94,Shipments,Gönderiler DocType: Payment Entry,Total Allocated Amount (Company Currency),Toplam Ayrılan Tutar (Şirket Para Birimi) DocType: Purchase Order Item,To be delivered to customer,Müşteriye teslim edilmek üzere DocType: BOM,Scrap Material Cost,Hurda Malzeme Maliyet -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Seri Hayır {0} herhangi Warehouse ait değil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Seri Hayır {0} herhangi Warehouse ait değil DocType: Purchase Invoice,In Words (Company Currency),Sözlü (Firma para birimi) olarak DocType: Asset,Supplier,Tedarikçi DocType: Asset,Supplier,Tedarikçi @@ -2432,11 +2435,10 @@ DocType: Leave Application,Total Leave Days,Toplam bırak Günler DocType: Email Digest,Note: Email will not be sent to disabled users,Not: E-posta engelli kullanıcılara gönderilmeyecektir apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Etkileşim Sayısı apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Etkileşim Sayısı -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/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 +408,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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" @@ -2483,7 +2485,8 @@ DocType: Quotation Item,Stock Balance,Stok Bakiye apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ödeme Satış Sipariş apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO DocType: Expense Claim Detail,Expense Claim Detail,Gideri Talebi Detayı -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Doğru hesabı seçin +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Tedarikçi için TRIPLICATE +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Doğru hesabı seçin DocType: Item,Weight UOM,Ağırlık Ölçü Birimi DocType: Salary Structure Employee,Salary Structure Employee,Maaş Yapısı Çalışan DocType: Employee,Blood Group,Kan grubu @@ -2508,7 +2511,7 @@ DocType: Student,Guardians,Veliler 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 +336,Debit To is required,Bankamatik To gereklidir +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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 @@ -2523,7 +2526,7 @@ DocType: BOM Website Operation,BOM Website Operation,BOM Sitesi Operasyonu apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Mektubu Teklif apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Malzeme İstekleri (MRP) ve Üretim Emirleri oluşturun. apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Malzeme İstekleri (MRP) ve Üretim Emirleri oluşturun. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Toplam Faturalandırılan Tutarı +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Toplam Faturalandırılan Tutarı DocType: BOM,Conversion Rate,Dönüşüm oranı apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ürün Arama DocType: Timesheet Detail,To Time,Zamana @@ -2540,7 +2543,7 @@ 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" DocType: Training Event Employee,Training Event Employee,Eğitim Etkinlik Çalışan -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Öğe için gerekli Seri Numaraları {1}. Sağladığınız {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Öğe için gerekli Seri Numaraları {1}. Sağladığınız {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Güncel Değerleme Oranı DocType: Item,Customer Item Codes,Müşteri Ürün Kodları apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Değişim Kâr / Zarar @@ -2593,7 +2596,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 +2454,Select Batch No,Toplu İş Numarayı Seç +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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ı @@ -2623,23 +2626,23 @@ DocType: Leave Block List,Allow Users,Kullanıcılara İzin Ver DocType: Purchase Order,Customer Mobile No,Müşteri Mobil Hayır DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Ayrı Gelir izlemek ve ürün dikey veya bölümler için Gider. DocType: Rename Tool,Rename Tool,yeniden adlandırma aracı -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Güncelleme Maliyeti -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Güncelleme Maliyeti +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +37,Update Cost,Güncelleme Maliyeti +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 +438,Show Salary Slip,Göster Maaş Kayma apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Seç değişim miktarı hesabı +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,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ı 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 +200,Add Taxes,Vergileri Ekle -apps/erpnext/erpnext/public/js/setup_wizard.js +200,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 +224,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ı @@ -2651,6 +2654,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 +30,Earnest Money,Kaparo DocType: Process Payroll,Create Salary Slip,Maaş Makbuzu Oluştur apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izlenebilirlik +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC Kodu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fon kaynakları (Yükümlülükler) 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 @@ -2684,7 +2688,7 @@ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Bakım Program DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Bakım Programı Detayı DocType: Quality Inspection Reading,Reading 9,9 Okuma DocType: Supplier,Is Frozen,Donmuş -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,Grup düğüm depo işlemleri için seçmek için izin verilmez +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,Grup düğüm depo işlemleri için seçmek için izin verilmez DocType: Buying Settings,Buying Settings,Satınalma Ayarları DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Biten İyi Ürün için BOM numarası DocType: Upload Attendance,Attendance To Date,Tarihine kadar katılım @@ -2701,13 +2705,13 @@ 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 +164,{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 +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} 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 +472,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor." +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.js +153,You can not change rate if BOM mentioned agianst any item,Herhangi bir Ürünye karşo BOM belirtildiyse oran değiştiremezsiniz. +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 DocType: Stock Entry,For Quantity,Miktar @@ -2730,7 +2734,7 @@ DocType: Authorization Rule,Authorized Value,Yetkili Değer DocType: BOM,Show Operations,göster İşlemleri ,Minutes to First Response for Opportunity,Fırsat İlk Tepki Dakika apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Toplam Yok -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Satır {0} daki Ürün veya Depo Ürün isteğini karşılamıyor +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Satır {0} daki Ürün veya Depo Ürün isteğini karşılamıyor apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Ölçü Birimi apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Ölçü Birimi DocType: Fiscal Year,Year End Date,Yıl Bitiş Tarihi @@ -2830,7 +2834,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 +106,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 +113,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ı @@ -2943,10 +2947,10 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory 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 +789,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Ref -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref +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 DocType: Budget,Cost Center,Maliyet Merkezi DocType: Budget,Cost Center,Maliyet Merkezi apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Föy # @@ -2966,7 +2970,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 +1165,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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. @@ -2988,7 +2992,7 @@ DocType: Project,Task Completion,görev Tamamlama apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Stokta yok DocType: Appraisal,HR User,İK Kullanıcı DocType: Purchase Invoice,Taxes and Charges Deducted,Mahsup Vergi ve Harçlar -apps/erpnext/erpnext/hooks.py +116,Issues,Sorunlar +apps/erpnext/erpnext/hooks.py +124,Issues,Sorunlar apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Durum şunlardan biri olmalıdır {0} DocType: Sales Invoice,Debit To,Borç DocType: Delivery Note,Required only for sample item.,Sadece örnek Ürün için gereklidir. @@ -3023,6 +3027,7 @@ DocType: C-Form Invoice Detail,Territory,Bölge apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Lütfen gerekli ziyaretlerin sayısını belirtin DocType: Stock Settings,Default Valuation Method,Standart Değerleme Yöntemi DocType: Stock Settings,Default Valuation Method,Standart Değerleme Yöntemi +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,ücret DocType: Vehicle Log,Fuel Qty,yakıt Adet DocType: Production Order Operation,Planned Start Time,Planlanan Başlangıç Zamanı DocType: Course,Assessment,değerlendirme @@ -3032,13 +3037,13 @@ 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 +149,Quotation {0} is cancelled,Teklif {0} iptal edildi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Toplam Alacakların Tutarı +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Ayarlamak ve hedefleri izleyebilirsiniz böylece tüm satış işlemleri birden ** Satış Kişilerin ** karşı etiketlenmiş olabilir. ,S.O. No.,Satış Emri No ,S.O. No.,Satış Emri No -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Lütfen alan {0}'dan Müşteri oluşturunuz +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Lütfen alan {0}'dan Müşteri oluşturunuz DocType: Price List,Applicable for Countries,Ülkeler için geçerlidir apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Sadece sunulabilir 'Reddedildi' 'Onaylandı' ve statülü Uygulamaları bırakın apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Öğrenci Grubu Adı satırda zorunludur {0} @@ -3089,6 +3094,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/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 @@ -3134,8 +3140,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Üretim için Materyal Tr 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.,İndirim Yüzdesi bir Fiyat listesine veya bütün fiyat listelerine karşı uygulanabilir. DocType: Purchase Invoice,Half-yearly,Yarı Yıllık apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Stokta Muhasebe Giriş +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Zaten değerlendirme kriteri {} için değerlendirdiniz. DocType: Vehicle Service,Engine Oil,Motor yağı -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: Sales Invoice,Sales Team1,Satış Ekibi1 DocType: Sales Invoice,Sales Team1,Satış Ekibi1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Ürün {0} yoktur @@ -3170,7 +3176,7 @@ DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts bel DocType: Payment Request,Mute Email,Sessiz E-posta apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisyon oranı 100'den fazla olamaz DocType: Stock Entry,Subcontract,Alt sözleşme DocType: Stock Entry,Subcontract,Alt sözleşme @@ -3203,7 +3209,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Öğrenci Aylık Hazirun Cetveli apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Çalışan {0} hali hazırda {2} ve {3} arasında {1} için başvurmuştur apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Proje Başlangıç Tarihi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Kadar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Kadar DocType: Rename Tool,Rename Log,Girişi yeniden adlandır apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Öğrenci Grubu veya Ders Programı zorunludur apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Öğrenci Grubu veya Ders Programı zorunludur @@ -3234,8 +3240,8 @@ DocType: Employee,Exit,Çıkış apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Kök Tipi zorunludur apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Kök Tipi zorunludur DocType: BOM,Total Cost(Company Currency),Toplam Maliyet (Şirket Para Birimi) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Seri No {0} oluşturuldu -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Seri No {0} oluşturuldu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Seri No {0} oluşturuldu +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Seri No {0} oluşturuldu DocType: Homepage,Company Description for website homepage,web sitesinin ana Firma Açıklaması DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Müşterilerinin rahatlığı için, bu kodlar faturalarda ve irsaliyelerde olduğu gibi basılı formatta kullanılabilir." apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,suplier Adı @@ -3257,7 +3263,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Anageçit Adresi apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Ders Programları silindi: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Sms teslim durumunu korumak için Günlükleri DocType: Accounts Settings,Make Payment via Journal Entry,Dergi Giriş aracılığıyla Ödeme Yap -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Baskılı Açık +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Baskılı Açık DocType: Item,Inspection Required before Delivery,Muayene Teslim önce Gerekli DocType: Item,Inspection Required before Purchase,Muayene Satın Alma önce Gerekli apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Bekleyen Etkinlikleri @@ -3297,9 +3303,10 @@ apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,sınır Ç apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Girişim Sermayesi apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Girişim Sermayesi 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.,Bu 'Akademik Yılı' ile akademik bir terim {0} ve 'Vadeli Adı' {1} zaten var. Bu girişleri değiştirmek ve tekrar deneyin. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","öğe {0} karşı varolan işlemler vardır gibi, değerini değiştiremezsiniz {1}" +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}","öğe {0} karşı varolan işlemler vardır gibi, değerini değiştiremezsiniz {1}" DocType: UOM,Must be Whole Number,Tam Numara olmalı DocType: Leave Control Panel,New Leaves Allocated (In Days),Tahsis Edilen Yeni İzinler (Günler) +DocType: Sales Invoice,Invoice Copy,Fatura Kopyalama apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Seri No {0} yok apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Seri No {0} yok DocType: Sales Invoice Item,Customer Warehouse (Optional),Müşteri Depo (İsteğe bağlı) @@ -3349,8 +3356,10 @@ DocType: Support Settings,Auto close Issue after 7 days,7 gün sonra otomatik ya 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 +305,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ı DocType: Stock Settings,Freeze Stock Entries,Donmuş Stok Girdileri +DocType: Program Enrollment,Boarding Student,Yatılı Öğrenci DocType: Asset,Expected Value After Useful Life,Kullanım süresi sonunda beklenen değer DocType: Item,Reorder level based on Warehouse,Depo dayalı Yeniden Sipariş seviyeli DocType: Activity Cost,Billing Rate,Fatura Oranı @@ -3382,12 +3391,12 @@ DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detayları apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Etkinliğe Dayalı Grup için öğrencileri manuel olarak seçin DocType: Journal Entry,User Remark,Kullanıcı Açıklaması DocType: Lead,Market Segment,Pazar Segmenti -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},"Ödenen tutar, toplam negatif ödenmemiş miktardan daha fazla olamaz {0}" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},"Ödenen tutar, toplam negatif ödenmemiş miktardan daha fazla olamaz {0}" DocType: Employee Internal Work History,Employee Internal Work History,Çalışan Dahili İş Geçmişi apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Kapanış (Dr) apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Kapanış (Dr) DocType: Cheque Print Template,Cheque Size,Çek Boyutu -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Seri No {0} stokta değil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Seri No {0} stokta değil apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Satış işlemleri için vergi şablonu. DocType: Sales Invoice,Write Off Outstanding Amount,Bekleyen Miktarı Sil apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},"Hesap {0}, Şirket {1} ile eşleşmiyor" @@ -3413,7 +3422,7 @@ 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 +348,Add a few sample records,Birkaç örnek kayıt ekle +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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ş @@ -3428,18 +3437,18 @@ 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},öğ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 +418,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 +419,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ş apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Seri No ve Toplu DocType: Warranty Claim,From Company,Şirketten -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Değerlendirme Kriterleri Puanlarının Toplamı {0} olması gerekir. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Değerlendirme Kriterleri Puanlarının Toplamı {0} olması gerekir. 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 +270,Minute,Dakika -apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Dakika +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Dakika +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -3462,7 +3471,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 +157,Bank Overdraft Account,Banka Kredili Mevduat Hesabı apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Maaş Makbuzu Oluştur apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Sıra # {0}: Tahsis Edilen Miktar, ödenmemiş tutardan büyük olamaz." -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,BOM Araştır +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,BOM Araştır apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Teminatlı Krediler apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Teminatlı Krediler DocType: Purchase Invoice,Edit Posting Date and Time,Düzenleme Gönderme Tarihi ve Saati @@ -3480,7 +3489,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 +278,Select Quantity,",Miktar Seç" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3506,6 +3515,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},{0} dan eski stok işlemlerini güncellemeye izin yok DocType: Purchase Invoice Item,PR Detail,PR Detayı DocType: Sales Order,Fully Billed,Tam Faturalı +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/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 +127,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) @@ -3548,9 +3558,10 @@ DocType: Project,Total Costing Amount (via Time Logs),Toplam Maliyet Tutarı (Za 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 DocType: Customs Tariff Number,Tariff Number,Tarife Numarası +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP Ambarında Mevcut Miktar apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Öngörülen apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Öngörülen -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Seri No {0} Depo {1} e ait değil +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Seri No {0} Depo {1} e ait değil 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,Not: Miktar 0 olduğundan ötürü sistem Ürün {0} için teslimat ve ayırma kontrolü yapmayacaktır DocType: Notification Control,Quotation Message,Teklif Mesajı DocType: Employee Loan,Employee Loan Application,Çalışan Kredi Başvurusu @@ -3570,14 +3581,14 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Indi Maliyet Çeki Miktarı apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Tedarikçiler tarafından artırılan faturalar DocType: POS Profile,Write Off Account,Hesabı Kapat -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Borç Notu Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Borç Notu Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,İndirim Tutarı apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,İndirim Tutarı DocType: Purchase Invoice,Return Against Purchase Invoice,Karşı Satınalma Fatura Dönüş 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 +207,e.g. VAT,Örneğin KDV +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 @@ -3585,7 +3596,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 +1945,Please select customer,müşteri seçiniz +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 @@ -3615,7 +3626,7 @@ DocType: Lead,Address Desc,Azalan Adres apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Parti zorunludur DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Konu Adı -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Satış veya Alıştan en az biri seçilmelidir +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Satış veya Alıştan en az biri seçilmelidir apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,işinizin doğası seçin. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Satır # {0}: Referanslarda çoğaltılmış girdi {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Üretim operasyonları nerede yapılmaktadır. @@ -3627,7 +3638,7 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} DocType: Employee,Confirmation Date,Onay Tarihi DocType: Employee,Confirmation Date,Onay Tarihi DocType: C-Form,Total Invoiced Amount,Toplam Faturalanmış Tutar -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Minimum Miktar Maksimum Miktardan Fazla olamaz +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Minimum Miktar Maksimum Miktardan Fazla olamaz DocType: Account,Accumulated Depreciation,Birikmiş Amortisman DocType: Stock Entry,Customer or Supplier Details,Müşteri ya da Tedarikçi Detayları DocType: Employee Loan Application,Required by Date,Tarihe Göre Gerekli @@ -3659,10 +3670,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Tedarik edile apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Şirket Adı olamaz apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Baskı şablonları için antetli kağıtlar apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Baskı Şablonları için başlıklar, örneğin Proforma Fatura" +DocType: Program Enrollment,Walking,Yürüme DocType: Student Guardian,Student Guardian,Öğrenci Guardian apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Değerleme tipi ücretleri dahil olarak işaretlenmiş olamaz DocType: POS Profile,Update Stock,Stok güncelle -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ürünler için farklı Ölçü Birimi yanlış (Toplam) net ağırlıklı değere yol açacaktır. Net ağırlıklı değerin aynı olduğundan emin olun. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Oranı DocType: Asset,Journal Entry for Scrap,Hurda için kayıt girişi @@ -3718,7 +3729,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Göster vergi break-up apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3739,7 +3749,7 @@ DocType: Company,Default Cash Account,Standart Kasa Hesabı DocType: Company,Default Cash Account,Standart Kasa Hesabı apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Şirket (değil Müşteri veya alanı) usta. 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 +176,No Students in,Içinde öğrenci yok +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 +108,Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin @@ -3747,7 +3757,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery No 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 +13,Invalid GSTIN or Enter NA for Unregistered,Kayıtlı Olmadığı İçin Geçersiz GSTIN veya Gir NA +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 DocType: Training Event,Seminar,seminer DocType: Program Enrollment Fee,Program Enrollment Fee,Program Kayıt Ücreti DocType: Item,Supplier Items,Tedarikçi Öğeler @@ -3780,8 +3790,10 @@ DocType: Sales Team,Contribution (%),Katkı Payı (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"'Nakit veya Banka Hesabı' belirtilmediğinden ötürü, Ödeme Girdisi oluşturulmayacaktır" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Sorumluluklar DocType: Expense Claim Account,Expense Claim Account,Gider Talep Hesabı +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: Sales Person,Sales Person Name,Satış Personeli Adı apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Tabloya en az 1 fatura girin +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Kullanıcı Ekle DocType: POS Item Group,Item Group,Ürün Grubu DocType: POS Item Group,Item Group,Ürün Grubu DocType: Item,Safety Stock,Emniyet Stoğu @@ -3789,13 +3801,13 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task can DocType: Stock Reconciliation Item,Before reconciliation,Uzlaşma önce apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Şu kişiye {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Eklenen Vergi ve Harçlar (Şirket Para Birimi) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Satırı {0} Vergi Gelir Gider veya Ödenebilir türde hesabı olmalıdır. +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Satırı {0} Vergi Gelir Gider veya Ödenebilir türde hesabı olmalıdır. DocType: Sales Order,Partly Billed,Kısmen Faturalandı apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Öğe {0} Sabit Kıymet Öğe olmalı DocType: Item,Default BOM,Standart BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Borç Not Tutarı +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Borç Not Tutarı apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Re-tipi şirket ismi onaylamak için lütfen -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Toplam Alacakların Tutarı +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Toplam Alacakların Tutarı DocType: Journal Entry,Printing Settings,Baskı Ayarları DocType: Sales Invoice,Include Payment (POS),Ödeme Dahil (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Toplam Borç Toplam Krediye eşit olmalıdırr. Aradaki fark, {0}" @@ -3804,7 +3816,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Otomotiv DocType: Vehicle,Insurance Company,Sigorta şirketi DocType: Asset Category Account,Fixed Asset Account,Sabit Varlık Hesabı apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Değişken -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,İrsaliyeden +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,İrsaliyeden DocType: Student,Student Email Address,Öğrenci E-Posta Adresi DocType: Timesheet Detail,From Time,Zamandan apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Stokta var: @@ -3813,14 +3825,13 @@ DocType: Notification Control,Custom Message,Özel Mesaj apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Yatırım Bankacılığı apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Yatırım Bankacılığı apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kurulum ile Seyirci için numaralandırma serisini ayarlayın> Serileri Numaralandırma apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Öğrenci Adresi apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Öğrenci Adresi 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 +1517,Address Name,Adres Adı +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3843,7 +3854,7 @@ 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 +678,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 +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/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 @@ -3852,7 +3863,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Enter değeri pozitif olmalıdır +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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 @@ -3864,7 +3875,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more h DocType: Product Bundle Item,Product Bundle Item,Ürün Paketi Ürün DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı DocType: Sales Partner,Sales Partner Name,Satış Ortağı Adı -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Fiyat Teklif Talepleri +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Fiyat Teklif Talepleri DocType: Payment Reconciliation,Maximum Invoice Amount,Maksimum Fatura Tutarı DocType: Student Language,Student Language,Öğrenci Dili apps/erpnext/erpnext/config/selling.py +23,Customers,Müşteriler @@ -3875,7 +3886,7 @@ DocType: Asset,Partially Depreciated,Kısmen Değer Kaybına Uğramış DocType: Issue,Opening Time,Açılış Zamanı apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Tarih aralığı gerekli apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Teminatlar ve Emtia Borsaları -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için @@ -3896,8 +3907,8 @@ 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 +266,Raw Material,Hammadde -apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Hammadde +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Raw Material,Hammadde +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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ı @@ -3910,7 +3921,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tarih Açılış Tarihi Kapanış önce olmalıdır -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: Leave Control Panel,Carry Forward,Nakletmek DocType: Leave Control Panel,Carry Forward,Nakletmek apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Maliyet Merkezi mevcut işlemlere ana deftere dönüştürülemez @@ -3926,8 +3936,8 @@ 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 +347,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 +201,"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 +230,Serial Nos Required for Serialized Item {0},Seri Ürün{0} için Seri numaraları gereklidir +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/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 DocType: Journal Entry,Bank Entry,Banka Girişi DocType: Authorization Rule,Applicable To (Designation),(Görev) için uygulanabilir @@ -3948,8 +3958,8 @@ 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 +270,Hour,Saat -apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Saat +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/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 @@ -3959,7 +3969,7 @@ 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 +645,Point of Sale,Satış Noktası +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 @@ -3979,8 +3989,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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." @@ -4009,14 +4019,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 +465,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 +466,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 +834,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 +835,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 @@ -4054,7 +4064,7 @@ 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 +436,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir +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 DocType: Leave Allocation,Unused leaves,Kullanılmayan yapraklar apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr DocType: Tax Rule,Billing State,Fatura Kamu @@ -4106,7 +4116,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Web sitesi ana sayfası için Ayarlar 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 +214,Invalid attribute {0} {1},Geçersiz özellik {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Lütfen 'Tüm Değerlendirme Grupları' dışındaki değerlendirme grubunu seçin. @@ -4223,17 +4233,19 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Maaş Bileşenleri DocType: Program Enrollment Tool,New Academic Year,Yeni Akademik Yıl apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,İade / Kredi Notu DocType: Stock Settings,Auto insert Price List rate if missing,Otomatik ekleme Fiyat Listesi oranı eksik ise -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Toplam Ödenen Tutar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Toplam Ödenen Tutar DocType: Production Order Item,Transferred Qty,Transfer Edilen Miktar apps/erpnext/erpnext/config/learn.py +11,Navigating,Gezinme apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlama apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlama 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 +272,We sell this Item,Bu ürünü satıyoruz +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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 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 @@ -4287,7 +4299,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 +1186,Please set Company,Lütfen şirket ayarlayın +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 @@ -4304,7 +4316,7 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,Ücretleri toplayın DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkod {0} zaten Ürün {1} de kullanılmış +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Barkod {0} zaten Ürün {1} de kullanılmış DocType: Lead,Add to calendar on this date,Bu tarihe Takvime ekle apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Nakliye maliyetleri ekleme Kuralları. DocType: Item,Opening Stock,Açılış Stok @@ -4312,6 +4324,7 @@ apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Custom apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Müşteri gereklidir apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} Dönüş için zorunludur DocType: Purchase Order,To Receive,Almak +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Kişisel E-posta DocType: Employee,Personal Email,Kişisel E-posta apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Toplam Varyans @@ -4326,7 +4339,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 +541,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 +542,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ış @@ -4337,7 +4350,6 @@ DocType: Serial No,Out of Warranty,Garanti Dışı DocType: Serial No,Out of Warranty,Garanti Dışı DocType: BOM Replace Tool,Replace,Değiştir apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Hiçbir ürün bulunamadı. -DocType: Production Order,Unstopped,Altınçağ'da apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} Satış Faturasına karşı {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Proje Adı @@ -4350,6 +4362,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 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 @@ -4394,9 +4407,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Sınıfımızda apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Formül ya da durumun söz dizimi hatası: {0} 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 +100,Item {0} ignored since it is not a stock item,Stok ürünü olmadığından Ürün {0} yok sayıldı +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 +40,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 +102,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 @@ -4405,13 +4418,15 @@ 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 +209,Rate (%),Oranı (%) -apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Oranı (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,Rate (%),Oranı (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Gruplandırılmış 'Şirket' ise lütfen şirket filtresini boş olarak ayarlayın. apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Gönderme Tarihi gelecek tarih olamaz apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Satır # {0}: Seri No {1} ile eşleşmiyor {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Mazeret İzni @@ -4442,7 +4457,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Stok Defter Girdisi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Hesap ayarları apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Onayla DocType: Customer,Sales Partner and Commission,Satış Ortağı ve Komisyon @@ -4458,7 +4473,7 @@ 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 +62,{0} items produced,{0} ürün üretildi +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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üş @@ -4472,7 +4487,7 @@ DocType: Task,Total Expense Claim (via Expense Claim),(Gider İstem aracılığ 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} DocType: Journal Entry Account,Exchange Rate,Döviz Kuru -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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 @@ -4501,19 +4516,19 @@ 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 +705,Online,İnternet üzerinden +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Gönderilen emir silinemez +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} devredışı bırakılmış DocType: Employee Loan,Repay Fixed Amount per Period,Dönem başına Sabit Tutar Repay apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Lütfen Ürün {0} için miktar giriniz -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredi Notu Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Kredi Notu Amt DocType: Employee External Work History,Employee External Work History,Çalışan Harici İş Geçmişi DocType: Tax Rule,Purchase,Satın Alım apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Denge Adet @@ -4542,7 +4557,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 +2383,Select items to save the invoice,fatura kaydetmek için öğeleri seçin +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,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ı @@ -4576,6 +4591,7 @@ DocType: BOM Replace Tool,Current BOM,Güncel BOM DocType: BOM Replace Tool,Current BOM,Güncel BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Seri No Ekle apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Seri No Ekle +DocType: Production Order Item,Available Qty at Source Warehouse,Kaynak Ambarında Mevcut Miktar apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti DocType: Purchase Invoice,Debit Note Issued,Borç Dekontu İhraç DocType: Production Order,Warehouses,Depolar @@ -4595,14 +4611,14 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager ,Quoted Item Comparison,Kote Ürün Karşılaştırma apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sevk apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sevk -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Malzeme {0 }için izin verilen maksimum indirim} {1}% +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Malzeme {0 }için izin verilen maksimum indirim} {1}% 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 +279,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 +879,Select Items to Manufacture,İmalat Öğe seç -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"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} @@ -4633,7 +4649,7 @@ DocType: POS Profile,Terms and Conditions,Şartlar ve Koşullar 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 +200,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 +198,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 @@ -4657,7 +4673,7 @@ apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set thi apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Varsayılan olarak bu Mali Yılı ayarlamak için, 'Varsayılan olarak ayarla' seçeneğini tıklayın" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Birleştir apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Yetersizlik adeti -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır DocType: Employee Loan,Repay from Salary,Maaş dan ödemek DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},"karşı ödeme talep {0}, {1} miktarda {2}" @@ -4676,20 +4692,20 @@ 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 +1011,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Seri No {0} zaten alınmış +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +217,Serial No {0} has already been received,Seri No {0} zaten alınmış ,Requested Items To Be Transferred,Transfer edilmesi istenen Ürünler 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 +1312,Delete permanently?,Kalıcı olarak silinsin mi? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Geçersiz {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Geçersiz {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Hastalık izni apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Hastalık izni DocType: Email Digest,Email Digest,E-Mail Bülteni @@ -4705,6 +4721,7 @@ DocType: Account,Chargeable,Ücretli DocType: Account,Chargeable,Ücretli DocType: Company,Change Abbreviation,Değişim Kısaltma DocType: Expense Claim Detail,Expense Date,Gider Tarih +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka DocType: Item,Max Discount (%),En fazla İndirim (% apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Son Sipariş Miktarı DocType: Task,Is Milestone,Milestone mu? @@ -4731,8 +4748,8 @@ DocType: Program Enrollment Tool,New Program,yeni Program DocType: Item Attribute Value,Attribute Value,Değer Özellik ,Itemwise Recommended Reorder Level,Ürünnin Önerilen Yeniden Sipariş Düzeyi DocType: Salary Detail,Salary Detail,Maaş Detay -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Önce {0} seçiniz -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Öğe Toplu {0} {1} süresi doldu. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Önce {0} seçiniz +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Öğe Toplu {0} {1} süresi doldu. DocType: Sales Invoice,Commission,Komisyon DocType: Sales Invoice,Commission,Komisyon apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,üretim için Zaman Sayfası. @@ -4765,12 +4782,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 +399,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 +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/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 +387,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 +382,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 @@ -4803,7 +4820,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Bertaraf tarihi DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Onlar tatil yoksa e-postalar, verilen saatte şirketin tüm Aktif Çalışanların gönderilecektir. Yanıtların Özeti gece yarısı gönderilecektir." DocType: Employee Leave Approver,Employee Leave Approver,Çalışan izin Onayı -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kayıp olarak Kotasyon yapılmış çünkü, ilan edemez." 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 @@ -4845,6 +4862,7 @@ DocType: Announcement,Student,Öğrenci apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Kuruluş Birimi (departman) alanı apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Lütfen Geçerli bir cep telefonu numarası giriniz apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Lütfen Göndermeden önce mesajı giriniz +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,TEDARİKÇİ ÇEŞİTLİLİĞİ DocType: Email Digest,Pending Quotations,Teklif hazırlaması Bekleyen apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Satış Noktası Profili apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Lütfen SMS ayarlarını güncelleyiniz @@ -4855,7 +4873,7 @@ DocType: Cost Center,Cost Center Name,Maliyet Merkezi Adı DocType: Employee,B+,B+ DocType: HR Settings,Max working hours against Timesheet,Max Çizelgesi karşı çalışma saatleri DocType: Maintenance Schedule Detail,Scheduled Date,Program Tarihi -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Toplam Ücretli Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Toplam Ücretli Amt DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 karakterden daha büyük mesajlar birden fazla mesaja bölünecektir DocType: Purchase Receipt Item,Received and Accepted,Alındı ve Kabul edildi ,GST Itemised Sales Register,GST Madde Numaralı Satış Kaydı @@ -4865,8 +4883,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 +237,Your Suppliers,Tedarikçileriniz -apps/erpnext/erpnext/public/js/setup_wizard.js +237,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 +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',kategori 'Değerleme' veya 'Vaulation ve Toplam' için ne zaman tenzil edemez @@ -4879,7 +4897,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Öğe {1} bağlı Web Sitesi Resmi {0} bulunamıyor +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ü apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Bilgisayar @@ -4898,7 +4916,7 @@ apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Depoya apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tüm Öğrenci Kabulleri ,Average Commission Rate,Ortalama Komisyon Oranı ,Average Commission Rate,Ortalama Komisyon Oranı -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,Stokta olmayan ürünün 'Seri Nosu Var' 'Evet' olamaz +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,Stokta olmayan ürünün 'Seri Nosu Var' 'Evet' olamaz apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,İlerideki tarihler için katılım işaretlenemez DocType: Pricing Rule,Pricing Rule Help,Fiyatlandırma Kuralı Yardım DocType: School House,House Name,Evin adı @@ -4918,7 +4936,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 +339,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 +340,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 @@ -4936,20 +4954,20 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of e DocType: Vehicle Log,Odometer,Kilometre sayacı DocType: Sales Order Item,Ordered Qty,Sipariş Miktarı DocType: Sales Order Item,Ordered Qty,Sipariş Miktarı -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Öğe {0} devre dışı +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 +874,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ı apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Maaş Makbuzu Oluşturun -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Eğer Uygulanabilir {0} olarak seçilirse, alım kontrol edilmelidir." +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Eğer Uygulanabilir {0} olarak seçilirse, alım kontrol edilmelidir." apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,İndirim 100'den az olmalıdır 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 +500,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen +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/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ı DocType: Landed Cost Voucher,Landed Cost Voucher,Indi Maliyet Çeki @@ -5019,7 +5037,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Beklenen Tarih Malzeme Talep Tarihinden önce olamaz DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı -DocType: Production Order,Source Warehouse (for reserving Items),Kaynak Depo (Öğeler rezerve için) DocType: Employee Loan,Repayment Period in Months,Aylar içinde Geri Ödeme Süresi apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Hata: Geçerli bir kimliği? DocType: Naming Series,Update Series Number,Seri Numarasını Güncelle @@ -5084,7 +5101,7 @@ DocType: Production Order,Planned End Date,Planlanan Bitiş Tarihi apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Ürünlerin saklandığı yer DocType: Request for Quotation,Supplier Detail,Tedarikçi Detayı apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Formül ya da durumun hata: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Faturalanan Tutar +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Faturalanan Tutar DocType: Attendance,Attendance,Katılım DocType: Attendance,Attendance,Katılım apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stok Öğeler @@ -5129,10 +5146,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Kur benim organizasyon için basit bir web sitesi +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 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 +650,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0} DocType: Item,Default Warehouse,Standart Depo DocType: Item,Default Warehouse,Standart Depo apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Bütçe Grubu Hesabı karşı atanamayan {0} @@ -5199,7 +5216,7 @@ 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 +1344,Select or add new customer,Seçmek veya yeni müşteri eklemek +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/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" @@ -5209,6 +5226,7 @@ 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/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/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 +231,{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. @@ -5234,7 +5252,7 @@ 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 +1637,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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 @@ -5258,7 +5276,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Gider Hesabı girin DocType: Account,Stock,Stok DocType: Account,Stock,Stok -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Satır # {0}: Referans Doküman Tipi Satın Alma Emri biri, Satın Alma Fatura veya günlük girdisi olmalıdır" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Satır # {0}: Referans Doküman Tipi Satın Alma Emri biri, Satın Alma Fatura veya günlük girdisi olmalıdır" DocType: Employee,Current Address,Mevcut Adresi DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Açıkça belirtilmediği sürece madde daha sonra açıklama, resim, fiyatlandırma, vergiler şablondan kurulacak vb başka bir öğe bir varyantı ise" DocType: Serial No,Purchase / Manufacture Details,Satın alma / Üretim Detayları @@ -5304,11 +5322,12 @@ DocType: Student,Home Address,Ev adresi apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,aktarım Varlık DocType: POS Profile,POS Profile,POS Profili DocType: Training Event,Event Name,Etkinlik Adı -apps/erpnext/erpnext/config/schools.py +39,Admission,Başvuru +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Başvuru apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},için Kabul {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} Öğe bir şablon, türevleri birini seçiniz" DocType: Asset,Asset Category,Varlık Kategorisi +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Alıcı apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net ödeme negatif olamaz apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net ödeme negatif olamaz DocType: SMS Settings,Static Parameters,Statik Parametreleri @@ -5319,6 +5338,7 @@ DocType: Item,Item Tax,Ürün Vergisi apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Tedarikçi Malzeme apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge DocType: Expense Claim,Employees Email Id,Çalışanların e-posta adresleri DocType: Employee Attendance Tool,Marked Attendance,İşaretlenmiş Devamlılık apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kısa Vadeli Borçlar @@ -5394,6 +5414,7 @@ DocType: Leave Type,Is Carry Forward,İleri taşınmış apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 ,Stock Summary,Stok Özeti diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv index 148bf862ce..ef49e0e196 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Призупинене виробниче замовлення не може бути скасоване, зніміть призупинку спочатку" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,Виберіть постачальника за замовчуванням @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1} +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 +808,Invoice,Рахунок-фактура DocType: Maintenance Schedule Item,Periodicity,Періодичність apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Треба зазначити бюджетний період {0} @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,В роботі apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Будь ласка, виберіть дати" DocType: Employee,Holiday List,Список вихідних -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Бухгалтер +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Бухгалтер DocType: Cost Center,Stock User,Складській користувач DocType: Company,Phone No,№ Телефону apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Розклад курсів створено: @@ -110,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 +269,Kg,Кг +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,Кг DocType: Student Log,Log,Ввійти apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Вакансія DocType: Item Attribute,Increment,Приріст @@ -120,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 +42,Not permitted for {0},Не допускається для {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Отримати елементи з -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,Чи не знайшли товар +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,Позиція вихідного рахунку @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Складські зві DocType: Warehouse,Warehouse Detail,Детальна інформація по складу apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитний ліміт було перейдено для клієнта {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Є основним засобом"" не може бути знято, оскільки існує запис засобу відносно об’єкту" +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/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,Уразливість існує клієнтів з тим же ім'ям @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},З {0} до {1} DocType: Item,Copy From Item Group,Копіювати з групи товарів DocType: Journal Entry,Opening Entry,Операція введення залишків -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Рахунок Оплатити тільки DocType: Employee Loan,Repay Over Number of Periods,Погашати Over Кількість періодів DocType: Stock Entry,Additional Costs,Додаткові витрати @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,Нерухомість -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Виписка +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,Фармацевтика DocType: Purchase Invoice Item,Is Fixed Asset,Основний засіб apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Доступна к-сть: {0}, необхідно {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Витратні +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,"Видати Замовлення матеріалу типу ""Виробництво"" на основі вищевказаних критеріїв" @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,Приклад: Елементарна математика +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/config/hr.py +214,Settings for HR Module,Налаштування модуля HR DocType: SMS Center,SMS Center,SMS-центр @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Товари та ціни apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Загальна кількість годин: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},"""Від дати"" має бути в межах бюджетного періоду. Припускаючи, що ""Від дати"" = {0}" +apps/erpnext/erpnext/hooks.py +87,Quotes,лапки DocType: Customer,Individual,Індивідуальний DocType: Interest,Academics User,академіки Користувач DocType: Cheque Print Template,Amount In Figure,Сума цифрами @@ -265,7 +266,7 @@ DocType: Employee,Create User,створити користувача DocType: Selling Settings,Default Territory,Територія за замовчуванням apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Телебачення DocType: Production Order Operation,Updated via 'Time Log',Оновлене допомогою 'Час Вхід " -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}" +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}" DocType: Naming Series,Series List for this Transaction,Список серій для даної транзакції DocType: Company,Enable Perpetual Inventory,Включення перманентної інвентаризації DocType: Company,Default Payroll Payable Account,За замовчуванням Payroll оплати рахунків @@ -273,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 +177,For Warehouse is required before Submit,Для складу потрібно перед проведенням +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Контактна особа +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 Група клієнтів @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,"Дата звільнення повинна бути більше, ніж дата влаштування" 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 +189,Warehouse {0} does not belong to company {1},Склад {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 +270,Litre,літр +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Залишити Заблоковані -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банківські записи apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Річний DocType: Stock Reconciliation Item,Stock Reconciliation Item,Позиція Інвентаризації @@ -315,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 +316,People who teach at your organisation,"Люди, які викладають у вашій організації" +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,Мінімальна к-сть замовлень @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,Дозволити користув DocType: Item,Publish in Hub,Опублікувати в Hub DocType: Student Admission,Student Admission,прийому студентів ,Terretory,Територія -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Пункт {0} скасовується +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,Пункт {0} скасовується apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Замовлення матеріалів DocType: Bank Reconciliation,Update Clearance Date,Оновити Clearance дату DocType: Item,Purchase Details,Закупівля детальніше @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,Fleet Manager apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва""" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,Циклічна посилання Помилка @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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 знову." -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,"{0} введений двічі в ""Податки""" +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,"{0} введений двічі в ""Податки""" apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Результати для цього тижня та незакінчена діяльність DocType: Student Applicant,Admitted,зізнався DocType: Workstation,Rent Cost,Вартість оренди @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% Отримано apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Створення студентських груп apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Встановлення вже завершено !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Кредит Примітка Сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Кредит Примітка Сума ,Finished Goods,Готові вироби DocType: Delivery Note,Instructions,Інструкції DocType: Quality Inspection,Inspected By,Перевірено @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,Створення нового клієнта +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Будь ласка, вибір початкового номера серії для відвідуваності через Setup> Нумерація серії" apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Створення замовлень на поставку ,Purchase Register,Реєстр закупівель DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані." +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальні налаштування для всіх виробничих процесів. DocType: Accounts Settings,Accounts Frozen Upto,Рахунки заблоковано по DocType: SMS Log,Sent On,Відправлено На -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів в таблиці атрибутів +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів в таблиці атрибутів DocType: HR Settings,Employee record is created using selected field. ,Співробітник запис створено за допомогою обраного поля. DocType: Sales Order,Not Applicable,Не застосовується apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Майстер вихідних. @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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","Не можете фільтрувати на основі рахунку, якщо рахунок згруповані по" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Будь ласка, введіть Склад для якого буде створено Замовлення матеріалів" DocType: Production Order,Additional Operating Cost,Додаткова Експлуатаційні витрати apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Косметика -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Щоб об'єднати, наступні властивості повинні бути однаковими для обох пунктів" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Щоб об'єднати, наступні властивості повинні бути однаковими для обох пунктів" DocType: Shipping Rule,Net Weight,Вага нетто DocType: Employee,Emergency Phone,Аварійний телефон apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Купівля @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,Серійний номер не може бути дробовим +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додати / редагувати податки та збори DocType: Purchase Invoice,Supplier Invoice No,Номер рахунку постачальника DocType: Territory,For reference,Для довідки -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Не вдається видалити Серійний номер {0}, оскільки він використовується у складських операціях" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Не вдається видалити Серійний номер {0}, оскільки він використовується у складських операціях" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),На кінець (Кт) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,перемістити елемент DocType: Serial No,Warranty Period (Days),Гарантійний термін (днів) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Будь ласка, виберіть компанію та контрагента спершу" apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Фінансова / звітний рік. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,накопичені значення -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","На жаль, серійні номери не можуть бути об'єднані" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","На жаль, серійні номери не можуть бути об'єднані" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Зробити замовлення на продаж DocType: Project Task,Project Task,Проект Завдання ,Lead Id,Lead Id @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,Виділяти apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продажі Повернутися 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,"Примітка: Сумарна кількість виділених листя {0} не повинно бути менше, ніж вже затверджених листя {1} на період" +,Total Stock Summary,Всі Резюме Фото DocType: Announcement,Posted By,Автор DocType: Item,Delivered by Supplier (Drop Ship),Поставляється Постачальником (Пряма доставка) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,База даних потенційних клієнтів. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Бази дани DocType: Quotation,Quotation To,Пропозиція для DocType: Lead,Middle Income,Середній дохід apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),На початок (Кт) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"За замовчуванням Одиниця виміру для п {0} не може бути змінений безпосередньо, тому що ви вже зробили деякі угоди (угод) з іншим UOM. Вам потрібно буде створити новий пункт для використання іншого замовчуванням одиниця виміру." +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"За замовчуванням Одиниця виміру для п {0} не може бути змінений безпосередньо, тому що ви вже зробили деякі угоди (угод) з іншим UOM. Вам потрібно буде створити новий пункт для використання іншого замовчуванням одиниця виміру." apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Розподілена сума не може бути негативною apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Будь ласка, встановіть компанії" apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Будь ласка, встановіть компанії" @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters DocType: Assessment Plan,Maximum Assessment Score,Максимальний бал оцінки apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Оновлення дат банківських операцій apps/erpnext/erpnext/config/projects.py +30,Time Tracking,відстеження часу +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,Дублює ДЛЯ TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Компанія фінансовий року DocType: Packing Slip Item,DN Detail,DN Деталь DocType: Training Event,Conference,конференція @@ -683,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 +320,Timesheet created:,Табель робочого часу створено: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}" +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,зараховувати DocType: GST Settings,GST Settings,налаштування GST DocType: Selling Settings,Customer Naming By,Називати клієнтів по @@ -713,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 +139,Finish,обробка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,обробка apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,база DocType: Timesheet,Total Billed Hours,Всього Оплачувані Годинник DocType: Journal Entry,Write Off Amount,Списання Сума @@ -747,7 +751,7 @@ DocType: Hub Settings,Seller City,Продавець Місто ,Absent Student Report,Відсутня Student Report DocType: Email Digest,Next email will be sent on:,Наступна буде відправлено листа на: DocType: Offer Letter Term,Offer Letter Term,Пропозиція Лист термін -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Номенклатурна позиція має варіанти. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Номенклатурна позиція має варіанти. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} знайдений DocType: Bin,Stock Value,Значення запасів apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компанія {0} не існує @@ -794,12 +798,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Кілька Ціна Правила існує з тими ж критеріями, будь ласка вирішити конфлікт шляхом присвоєння пріоритету. Ціна Правила: {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,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими" 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 +48,Make Timesheet,Створити табель робочого часу +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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,13 +842,13 @@ 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,Сімейні обставини DocType: Request for Quotation Supplier,Send Email,Відправити e-mail -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Увага: Невірне долучення {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Немає доступу +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Увага: Невірне долучення {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Немає доступу 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 +269,Nos,Пп +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} повинен бути представлений @@ -864,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}: Рахунок {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 +274,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,Накопичений знос на момент відкриття @@ -952,14 +956,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} до скасування цього обслуговування візит -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Серійний номер {0} не належить до номенклатурної позиції {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Серійний номер {0} не належить до номенклатурної позиції {1} DocType: Purchase Receipt Item Supplied,Required Qty,Необхідна к-сть apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Склади з існуючої транзакції не можуть бути перетворені в бухгалтерській книзі. DocType: Bank Reconciliation,Total Amount,Загалом @@ -976,7 +980,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,компоненти apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Будь ласка, введіть Asset Категорія в пункті {0}" DocType: Quality Inspection Reading,Reading 6,Читання 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Може не {0} {1} {2} без будь-якого негативного видатний рахунок-фактура +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Може не {0} {1} {2} без будь-якого негативного видатний рахунок-фактура 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} @@ -990,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 +731,New Sales Invoice,Новий вихідний рахунок +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Синхронізація Offline рахунків-фактур +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,Синхронізація Offline рахунків-фактур DocType: Payment Request,Paid,Оплачений DocType: Program Fee,Program Fee,вартість програми DocType: Salary Slip,Total in words,Разом прописом @@ -1028,10 +1032,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Хімічна DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"За замовчуванням банк / Готівковий рахунок буде автоматично оновлюватися в Зарплатний Запис в журналі, коли обраний цей режим." DocType: BOM,Raw Material Cost(Company Currency),Вартість сировини (Компанія Валюта) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Всі деталі вже були передані для цього виробничого замовлення. +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 +270,Meter,метр +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,метр DocType: Workstation,Electricity Cost,Вартість електроенергії DocType: HR Settings,Don't send Employee Birthday Reminders,Не посилати Employee народження Нагадування DocType: Item,Inspection Criteria,Інспекційні Критерії @@ -1054,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 +452,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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 +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 +259,Qty for {0},Кількість для {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,Дати списку блокування відпусток @@ -1074,9 +1078,9 @@ DocType: Purchase Invoice,Cash/Bank Account,Готівковий / Банків apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Введіть {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Вилучені пункти без зміни в кількості або вартості. DocType: Delivery Note,Delivery To,Доставка Для -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Атрибут стіл є обов'язковим +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Атрибут стіл є обов'язковим DocType: Production Planning Tool,Get Sales Orders,Отримати Замовлення клієнта -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може бути від’ємним +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може бути від’ємним apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Знижка DocType: Asset,Total Number of Depreciations,Загальна кількість амортизацій DocType: Sales Invoice Item,Rate With Margin,Швидкість З полями @@ -1113,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 +1546,ZIP Code,Поштовий індекс +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,7 +1136,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,Перерахуйте деякі з ваших постачальників. Вони можуть бути організації або окремі особи. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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 Вік (дні) @@ -1157,7 +1161,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,Дистриб'ютор DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Правило доставки для кошику apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Виробниче замовлення {0} має бути скасоване до скасування цього замовлення клієнта -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',"Будь ласка, встановіть "Застосувати Додаткова Знижка On '" +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,"С Діапазон повинен бути менше, ніж діапазон" DocType: Global Defaults,Global Defaults,Глобальні значення за замовчуванням @@ -1165,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 +22,First 2 digits of GSTIN should match with State number {0},Перші 2 цифри GSTIN повинні збігатися з державним номером {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,Планування потужностей Помилка +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,Планування потужностей Помилка ,Trial Balance for Party,Оборотно-сальдова відомість для контрагента DocType: Lead,Consultant,Консультант DocType: Salary Slip,Earnings,Доходи @@ -1187,7 +1191,7 @@ DocType: Purchase Invoice,Is Return,Повернення apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Повернення / дебетові Примітка DocType: Price List Country,Price List Country,Ціни Країна DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} дійсні серійні номери для позиції {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} дійсні серійні номери для позиції {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Код товару не може бути змінена для серійним номером apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS-профіль {0} вже створено для користувача: {1} та компанія {2} DocType: Sales Invoice Item,UOM Conversion Factor,Коефіцієнт перетворення Одиниця виміру @@ -1197,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 +675,Cost Center For Item with Item Code ',Центр витрат для позиції з кодом -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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 +1244,7 @@ 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,Подивитися Леджер DocType: Grading Scale,Intervals,інтервали apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Найперша -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Існує група з такою самою назвою, будь ласка, змініть назву елементу або перейменуйте групу" +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Позиція {0} не може мати партій @@ -1269,7 +1273,7 @@ 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 +288,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук DocType: Purchase Invoice,Rejected Warehouse,Склад для відхиленого DocType: GL Entry,Against Voucher,Згідно документу DocType: Item,Default Buying Cost Center,Центр витрат закупівлі за замовчуванням @@ -1280,7 +1284,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,Замовлення клієнта {0} не є допустимим +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1298,14 +1302,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Місце видачі apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Контракт DocType: Email Digest,Add Quote,Додати Цитата -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Одиниця виміру фактором Coversion потрібно для UOM: {0} в пункті: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Одиниця виміру фактором Coversion потрібно для UOM: {0} в пункті: {1} 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 +736,Sync Master Data,Дані майстра синхронізації -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ваші продукти або послуги +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,Ваші продукти або послуги DocType: Mode of Payment,Mode of Payment,Спосіб платежу -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,Норми apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Це кореневий елемент групи і не можуть бути змінені. @@ -1323,14 +1327,13 @@ 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 +562,Delivery Note {0} is not submitted,Накладна {0} не проведена +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.","Цінове правило базується на полі ""Застосовується до"", у якому можуть бути: номенклатурна позиція, група або бренд." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Статус виробничого замовлення {0} DocType: Appraisal Goal,Goal,Мета DocType: Sales Invoice Item,Edit Description,Редагувати опис ,Team Updates,команда поновлення @@ -1346,14 +1349,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дитячий склад існує для цього складу. Ви не можете видалити цей склад. DocType: Item,Website Item Groups,Групи об’єктів веб-сайту DocType: Purchase Invoice,Total (Company Currency),Загалом (у валюті компанії) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Серійний номер {0} введений більше ніж один раз +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 +78,{0} items in progress,{0} виготовляються товари +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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 +1415,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,початкова завантаження 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,7 +1427,7 @@ 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 +260,Max: {0},Макс: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,Журнал з'єднань. @@ -1435,7 +1437,7 @@ DocType: Sales Invoice,Shipping Address Name,Ім'я адреси доставк apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,План рахунків DocType: Material Request,Terms and Conditions Content,Зміст положень та умов apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може бути більше ніж 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Номенклатурна позиція {0} не є інвентарною +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Номенклатурна позиція {0} не є інвентарною DocType: Maintenance Visit,Unscheduled,Позапланові DocType: Employee,Owned,Бувший DocType: Salary Detail,Depends on Leave Without Pay,Залежить у відпустці без @@ -1466,7 +1468,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 +273,We buy this Item,Ми купуємо цей товар +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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 +1479,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 +266,Sub Assemblies,підвузли +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,підвузли DocType: Asset,Asset Name,Найменування активів DocType: Project,Task Weight,завдання Вага DocType: Shipping Rule Condition,To Value,До вартості @@ -1510,12 +1512,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,Джерело 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 +239,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов'язковим для фіксованого елемента активів +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов'язковим для фіксованого елемента активів apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Записи не знайдені в таблиці Оплата apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Це {0} конфлікти з {1} для {2} {3} DocType: Student Attendance Tool,Students HTML,студенти HTML DocType: POS Profile,Apply Discount,застосувати знижку -DocType: Purchase Invoice Item,GST HSN Code,GST HSN код +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 +283,Packing Slip(s) cancelled,Упаковка ковзання (и) скасовується @@ -1558,8 +1560,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,Transporter Деталі -apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Коробка +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 +873,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,Список отримувачів порожній. Створіть його будь-ласка @@ -1589,7 +1591,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,спосіб погашення DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Якщо позначено, то головною сторінкою веб-сайту буде ""Група об’єктів"" за замовчуванням" DocType: Quality Inspection Reading,Reading 4,Читання 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},За замовчуванням BOM для {0} не знайдено для проекту {1} 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} @@ -1606,29 +1607,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Нове зав apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Зробіть цитати apps/erpnext/erpnext/config/selling.py +216,Other Reports,Інші звіти DocType: Dependent Task,Dependent Task,Залежить Завдання -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коефіцієнт для замовчуванням Одиниця виміру повинні бути 1 в рядку {0} +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 днів вперед. 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}" DocType: SMS Center,Receiver List,Список отримувачів -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Пошук товару +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,Вже завершено +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/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 +263,Quantity must not be more than {0},"Кількість не повинна бути більше, ніж {0}" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,Ім'я рахунку apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"Від Дата не може бути більше, ніж до дати" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Серійний номер {0} кількість {1} не може бути дробною +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Серійний номер {0} кількість {1} не може бути дробною apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,головний Тип постачальника 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 @@ -1636,6 +1637,7 @@ 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: Delivery Note,Vehicle Dispatch Date,Відправка транспортного засобу Дата +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Прихідна накладна {0} не проведена DocType: Company,Default Payable Account,Рахунок оплат за замовчуванням apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Налаштування для онлайн кошика, такі як правила доставки, прайс-лист і т.д." @@ -1692,7 +1694,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,Включити в DocType: Sales Invoice,Packed Items,Упаковані товари apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гарантія Позов проти серійним номером DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Замінити певну НВ у всіх інших НВ, де вона використовується. Це замінить старе посиланняна НВ, оновить вартості і заново створить ""елемент розбірки"" таблицю як для нової НВ" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Разом' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Разом' DocType: Shopping Cart Settings,Enable Shopping Cart,Включити Кошик DocType: Employee,Permanent Address,Постійна адреса apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1728,6 +1730,7 @@ DocType: Material Request,Transferred,передано DocType: Vehicle,Doors,двері apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Встановлення ERPNext завершено! DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Sales 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,"Група клієнтів з таким ім'ям вже існує. Будь ласка, змініть Ім'я клієнта або перейменуйте Групу клієнтів" @@ -1747,7 +1750,7 @@ 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 +699,Offline,Offline +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,Претендент на роботу @@ -1764,7 +1767,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Головна apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Варіант DocType: Naming Series,Set prefix for numbering series on your transactions,Встановіть префікс нумерації серії ваших операцій DocType: Employee Attendance Tool,Employees HTML,співробітники HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону DocType: Employee,Leave Encashed?,Оплачуване звільнення? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Поле ""З"" у Нагоді є обов'язковим" DocType: Email Digest,Annual Expenses,річні витрати @@ -1777,7 +1780,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 +175,Work-in-Progress Warehouse is required before Submit,"Склад ""в роботі"" необхідний щоб провести" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,Статутна інформація та інша загальна інформація про вашого постачальника @@ -1787,7 +1790,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студентська група Strength apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,"За проводкою {0} не має ніякого невідповідного {1}, запису" apps/erpnext/erpnext/config/hr.py +137,Appraisals,атестації -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Повторювані Серійний номер вводиться для Пункт {0} +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}. Щоб дозволити завищені рахунки, будь ласка, встановіть в покупці Налаштування" @@ -1796,7 +1799,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,Норми витрат {0} потрібно провести +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Оплата @@ -1815,12 +1818,12 @@ 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 +257,"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 +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.","Перелічіть ваші продукти або послуги, які ви купуєте або продаєте. Перед початком роботи перевірте групу, до якої належить елемент, одиницю виміру та інші властивості." 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: Asset Movement,Asset Movement,Рух активів -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Нова кошик +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,колеса @@ -1846,7 +1849,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Отримати позиції з прихідної накладної DocType: Serial No,Creation Date,Дата створення apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Пункт {0} з'являється кілька разів у Прайс-листі {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","""Продаж"" повинно бути позначене, якщо ""Застосовне для"" обране як {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","""Продаж"" повинно бути позначене, якщо ""Застосовне для"" обране як {0}" DocType: Production Plan Material Request,Material Request Date,Дата Замовлення матеріалів DocType: Purchase Order Item,Supplier Quotation Item,Позиція у пропозіції постачальника DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,"Відключення створення журналів по Виробничих замовленнях. Операції, не повинні відслідковуватись по виробничих замовленнях" @@ -1863,12 +1866,12 @@ DocType: Supplier,Supplier of Goods or Services.,Постачальник тов DocType: Budget,Fiscal Year,Бюджетний період DocType: Vehicle Log,Fuel Price,паливо Ціна DocType: Budget,Budget,Бюджет -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Основний засіб повинен бути нескладським . +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 +209,e.g. 5,"наприклад, 5" +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,"""Прописом"" буде видно, коли ви збережете рахунок-фактуру." @@ -1877,7 +1880,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 +263,A Product or Service,Продукт або послуга +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,Поточна вартість @@ -1952,7 +1955,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,Пара +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Пара apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва DocType: Asset,Depreciation Schedule,Запланована амортизація apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Партнер з продажу Адреси та контакти @@ -1971,10 +1974,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},Група елемента не згадується у майстрі для елементу {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок +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,Дебетом рахунка повинні бути заборгованість рахунок DocType: Shipping Rule Condition,Shipping Amount,Сума доставки -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Додати Клієнти +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,Доставлено @@ -1991,6 +1994,7 @@ DocType: Journal Entry,Accounts Receivable,Дебіторська заборго ,Supplier-Wise Sales Analytics,Аналітика продажу по постачальниках apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Введіть сплаченої суми DocType: Salary Structure,Select employees for current Salary Structure,Вибір співробітників для поточної Структури зарплати +DocType: Sales Invoice,Company Address Name,Адреса компанії Ім'я 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)","Батько курс (залиште порожнім, якщо це не є частиною Батько курсу)" @@ -2011,7 +2015,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 +269,Unit,Блок +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,7 +2037,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: замовлення клієнта, вихідний рахунок-фактура або запис журналу" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: Від часу і часу є обов'язковим. DocType: Stock Reconciliation Item,Amount Difference,сума різниця @@ -2042,7 +2046,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,Класифікація клієнтів по регіонах apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Сума різниці повинна дорівнювати нулю DocType: Project,Gross Margin,Валовий дохід -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,"Будь ласка, введіть Продукція перший пункт" +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 +748,Quotation,Пропозиція @@ -2054,7 +2058,7 @@ 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: Opportunity,Customer / Lead Address,Адреса Клієнта / Lead-а -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0} DocType: Student Admission,Eligibility,прийнятність apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Веде допомогти вам отримати бізнес, додати всі ваші контакти і багато іншого в ваших потенційних клієнтів" DocType: Production Order Operation,Actual Operation Time,Фактична Час роботи @@ -2073,11 +2077,11 @@ DocType: Appraisal,Calculate Total Score,Розрахувати загальну DocType: Request for Quotation,Manufacturing Manager,Виробництво менеджер apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серійний номер {0} знаходиться на гарантії до {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Розбити накладну на пакети. -apps/erpnext/erpnext/hooks.py +87,Shipments,Поставки +apps/erpnext/erpnext/hooks.py +94,Shipments,Поставки DocType: Payment Entry,Total Allocated Amount (Company Currency),Загальна розподілена сума (валюта компанії) DocType: Purchase Order Item,To be delivered to customer,Для поставлятися замовнику DocType: BOM,Scrap Material Cost,Лом Матеріал Вартість -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,Серійний номер {0} не належить до жодного складу +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,Серійний номер {0} не належить до жодного складу DocType: Purchase Invoice,In Words (Company Currency),Прописом (Валюта Компанії) DocType: Asset,Supplier,Постачальник DocType: C-Form,Quarter,Чверть @@ -2092,11 +2096,10 @@ DocType: Leave Application,Total Leave Days,Всього днів відпуст DocType: Email Digest,Note: Email will not be sent to disabled users,Примітка: E-mail НЕ буде відправлено користувачів з обмеженими можливостями apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,кількість взаємодії apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,кількість взаємодії -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товару> Пункт Group> Марка 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 +408,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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","Будь ласка, виберіть суму розподілу, тип та номер рахунку-фактури в принаймні одному рядку" @@ -2140,7 +2143,8 @@ 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,генеральний директор DocType: Expense Claim Detail,Expense Claim Detail,Деталі Авансового звіту -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Будь ласка, виберіть правильний рахунок" +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,Triplicate ДЛЯ ПОСТАЧАЛЬНИКІВ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,"Будь ласка, виберіть правильний рахунок" DocType: Item,Weight UOM,Одиниця ваги DocType: Salary Structure Employee,Salary Structure Employee,Працівник Структури зарплати DocType: Employee,Blood Group,Група крові @@ -2162,7 +2166,7 @@ DocType: Student,Guardians,опікуни 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 +336,Debit To is required,Дебет вимагається +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,Пропозиція термін @@ -2175,7 +2179,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Загальна DocType: BOM Website Operation,BOM Website Operation,BOM Операція Сайт apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Лист-пропозиція apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генерує Замовлення матеріалів (MRP) та Виробничі замовлення. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Всього у рахунках +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Всього у рахунках DocType: BOM,Conversion Rate,Обмінний курс apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Пошук продукту DocType: Timesheet Detail,To Time,Часу @@ -2190,7 +2194,7 @@ 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 Примирення, будь ласка, використовуйте стік запис" DocType: Training Event Employee,Training Event Employee,Навчання співробітників Подія -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} Серійні номери, необхідні для позиції {1}. Ви надали {2}." +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} Серійні номери, необхідні для позиції {1}. Ви надали {2}." DocType: Stock Reconciliation Item,Current Valuation Rate,Поточна собівартість DocType: Item,Customer Item Codes,Коди клієнта на товар apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Обмін Прибуток / збиток @@ -2238,7 +2242,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 +2454,Select Batch No,Виберіть Batch Немає +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,Сума авансу @@ -2262,19 +2266,19 @@ DocType: Leave Block List,Allow Users,Надання користувачам DocType: Purchase Order,Customer Mobile No,Замовник Мобільна Немає DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Відслідковувати окремо доходи та витрати для виробничої вертикалі або підрозділів. DocType: Rename Tool,Rename Tool,Перейменувати інструмент -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Оновлення Вартість +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 +438,Show Salary Slip,Показати Зарплатний розрахунок apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження" -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Вибрати рахунок для суми змін +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,Додати Податки +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,бюджет аккаунта @@ -2285,6 +2289,7 @@ DocType: Stock Entry,Purchase Receipt No,Прихідна накладна но apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Аванс-завдаток DocType: Process Payroll,Create Salary Slip,Створити Зарплатний розрахунок apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,простежуваність +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / САК код 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,Працівник @@ -2314,7 +2319,7 @@ DocType: Employee Education,Post Graduate,Аспірантура DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Деталі Запланованого обслуговування DocType: Quality Inspection Reading,Reading 9,Читання 9 DocType: Supplier,Is Frozen,Заблоковано -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,"склад групи вузлів не допускається, щоб вибрати для угод" +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,"склад групи вузлів не допускається, щоб вибрати для угод" DocType: Buying Settings,Buying Settings,Налаштування купівлі DocType: Stock Entry Detail,BOM No. for a Finished Good Item,Номер Норм для закінченого продукту DocType: Upload Attendance,Attendance To Date,Відвідуваність по дату @@ -2330,13 +2335,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки." +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.js +153,You can not change rate if BOM mentioned agianst any item,"Ви не можете змінити вартість, якщо для елементу вказані Норми" +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,Для Кількість apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Будь ласка, введіть планову к-сть для номенклатури {0} в рядку {1}" @@ -2358,7 +2363,7 @@ DocType: Authorization Rule,Authorized Value,Статутний Значення DocType: BOM,Show Operations,Показати операції ,Minutes to First Response for Opportunity,Хвилини до першої реакції на нагоду apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Всього Відсутня -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Одиниця виміру DocType: Fiscal Year,Year End Date,Дата закінчення року DocType: Task Depends On,Task Depends On,Завдання залежить від @@ -2430,7 +2435,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},"Не можете виробляти більше Пункт {0}, ніж кількість продажів Замовити {1}" +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/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 Адреса електронної пошти" @@ -2527,9 +2532,9 @@ 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 +789,"LocalStorage is full, did not save","LocalStorage повна, не врятувало" +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,Посилання +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,Посилання DocType: Budget,Cost Center,Центр витрат apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Документ # DocType: Notification Control,Purchase Order Message,Повідомлення Замовлення на придбання @@ -2545,7 +2550,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 +1165,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії" +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,Налаштування інвентаря @@ -2564,7 +2569,7 @@ DocType: Project,Task Completion,завершення завдання apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Немає на складі DocType: Appraisal,HR User,HR Користувач DocType: Purchase Invoice,Taxes and Charges Deducted,Відраховані податки та збори -apps/erpnext/erpnext/hooks.py +116,Issues,Питань +apps/erpnext/erpnext/hooks.py +124,Issues,Питань apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Стан повинен бути одним з {0} DocType: Sales Invoice,Debit To,Дебет DocType: Delivery Note,Required only for sample item.,Потрібно лише для зразка пункту. @@ -2593,6 +2598,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,Територія apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,"Не кажучи вже про НЕ ласка відвідувань, необхідних" DocType: Stock Settings,Default Valuation Method,Метод оцінка за замовчуванням +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,плата DocType: Vehicle Log,Fuel Qty,Паливо Кількість DocType: Production Order Operation,Planned Start Time,Плановані Час DocType: Course,Assessment,оцінка @@ -2602,12 +2608,12 @@ 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 +149,Quotation {0} is cancelled,Пропозицію {0} скасовано -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Загальна непогашена сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,Загальна непогашена сума DocType: Sales Partner,Targets,Цільові DocType: Price List,Price List Master,Майстер Прайс-листа DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Для всіх операцій продажу можна вказувати декількох ""Відповідальних з продажу"", так що ви можете встановлювати та контролювати цілі." ,S.O. No.,КО № -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Будь ласка, створіть клієнта з Lead {0}" +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},"Будь ласка, створіть клієнта з Lead {0}" DocType: Price List,Applicable for Countries,Стосується для країн apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Тільки залиште додатки зі статусом «Схвалено» і «Відхилено» можуть бути представлені apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Студентська група Ім'я є обов'язковим в рядку {0} @@ -2687,8 +2693,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,Матеріал для 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.,Знижка у відсотках можна застосовувати або стосовно прайс-листа або для всіх прайс-лист. DocType: Purchase Invoice,Half-yearly,Піврічний apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Проводки по запасах +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Ви вже оцінили за критеріями оцінки {}. DocType: Vehicle Service,Engine Oil,Машинне мастило -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, встановіть службовців систему імен в людських ресурсах> HR Налаштування" DocType: Sales Invoice,Sales Team1,Команда1 продажів apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Пункт {0} не існує DocType: Sales Invoice,Customer Address,Адреса клієнта @@ -2716,7 +2722,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридична особа / Допоміжний з окремим Плану рахунків, що належать Організації." DocType: Payment Request,Mute Email,Відключення E-mail apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Продукти харчування, напої і тютюнові вироби" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Ставка комісії не може бути більше, ніж 100" DocType: Stock Entry,Subcontract,Субпідряд apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Будь ласка, введіть {0} в першу чергу" @@ -2744,7 +2750,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student Щомісячна відвідуваність Sheet apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Співробітник {0} вже застосовується для {1} між {2} і {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Дата початку -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,До +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,До DocType: Rename Tool,Rename Log,Перейменувати Вхід apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студентська група або розклад курсу є обов'язковою apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Студентська група або розклад курсу є обов'язковою @@ -2769,7 +2775,7 @@ DocType: Purchase Order Item,Returned Qty,Повернута к-сть DocType: Employee,Exit,Вихід apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корінь Тип обов'язково DocType: BOM,Total Cost(Company Currency),Загальна вартість (Компанія Валюта) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Серійний номер {0} створено +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Серійний номер {0} створено DocType: Homepage,Company Description for website homepage,Опис компанії для головної сторінки веб-сайту DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Для зручності клієнтів, ці коди можуть бути використані в друкованих формах, таких, як рахунки-фактури та розхідні накладні" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,ім'я Suplier @@ -2790,7 +2796,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Розклад курсів видалені: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Журнали для підтримки статус доставки смс DocType: Accounts Settings,Make Payment via Journal Entry,Платити згідно Проводки -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,надруковано на +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,надруковано на DocType: Item,Inspection Required before Delivery,Огляд Обов'язковий перед поставкою DocType: Item,Inspection Required before Purchase,Огляд Необхідні перед покупкою apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,В очікуванні Діяльність @@ -2822,9 +2828,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student П apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,межа Схрещені apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,"Академічний термін з цим "Академічний рік" {0} і 'Term Name "{1} вже існує. Будь ласка, поміняйте ці записи і спробуйте ще раз." -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Як є існуючі операції проти пункту {0}, ви не можете змінити значення {1}" +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}","Як є існуючі операції проти пункту {0}, ви не можете змінити значення {1}" DocType: UOM,Must be Whole Number,Повинно бути ціле число DocType: Leave Control Panel,New Leaves Allocated (In Days),Нові листя Виділені (у днях) +DocType: Sales Invoice,Invoice Copy,копія рахунку-фактури apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Серійний номер {0} не існує DocType: Sales Invoice Item,Customer Warehouse (Optional),Склад Клієнт (Необов'язково) DocType: Pricing Rule,Discount Percentage,Знижка у відсотках @@ -2870,8 +2877,10 @@ 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 +305,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,Рахунок накопиченого зносу DocType: Stock Settings,Freeze Stock Entries,Заморозити Рухи ТМЦ +DocType: Program Enrollment,Boarding Student,інтернат студент DocType: Asset,Expected Value After Useful Life,Очікувана вартість після терміну використання DocType: Item,Reorder level based on Warehouse,Рівень перезамовлення по складу DocType: Activity Cost,Billing Rate,Ціна для виставлення у рахунку @@ -2899,11 +2908,11 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Вибір студентів вручну для діяльності на основі групи DocType: Journal Entry,User Remark,Зауваження користувача DocType: Lead,Market Segment,Сегмент ринку -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Сплачена сума не може бути більше сумарного негативного непогашеної {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Сплачена сума не може бути більше сумарного негативного непогашеної {0} DocType: Employee Internal Work History,Employee Internal Work History,Співробітник внутрішньої історії роботи apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),На кінець (Дт) DocType: Cheque Print Template,Cheque Size,Розмір чеку -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Серійний номер {0} не в наявності +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Серійний номер {0} не в наявності apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Податковий шаблон для операцій продажу. DocType: Sales Invoice,Write Off Outstanding Amount,Списання суми заборгованості apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Рахунок {0} не збігається з Компанією {1} @@ -2928,7 +2937,7 @@ 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 +348,Add a few sample records,Додати кілька пробних записів +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,Повністю доставлено @@ -2942,17 +2951,17 @@ 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 +418,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,Оригінал замовлення клієнта apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Серійний номер та партія DocType: Warranty Claim,From Company,Від компанії -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Сума десятків критеріїв оцінки має бути {0}. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Сума десятків критеріїв оцінки має бути {0}. 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 +270,Minute,Хвилин +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,Хвилин DocType: Purchase Invoice,Purchase Taxes and Charges,Податки та збори закупівлі ,Qty to Receive,К-сть на отримання DocType: Leave Block List,Leave Block List Allowed,Список блокування відпусток дозволено @@ -2973,7 +2982,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Овердрафт рахунок apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Зробити Зарплатний розрахунок apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Рядок # {0}: Виділена сума не може бути більше суми заборгованості. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Переглянути норми +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,Переглянути норми apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Забезпечені кредити DocType: Purchase Invoice,Edit Posting Date and Time,Редагування проводок Дата і час apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Будь ласка, встановіть рахунки, що відносяться до амортизації у категорії активу {0} або компанії {1}" @@ -2989,7 +2998,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 +278,Select Quantity,Виберіть Кількість +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 Дайджест @@ -3012,6 +3021,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Не допускається оновлення складських операцій старше {0} DocType: Purchase Invoice Item,PR Detail,PR-Деталь DocType: Sales Order,Fully Billed,Повністю включено у рахунки +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Постачальник> Постачальник Тип 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 +127,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),Вага брутто упаковки. Зазвичай вага нетто + пакувальний матеріал вагу. (для друку) @@ -3050,8 +3060,9 @@ 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} не проведено DocType: Customs Tariff Number,Tariff Number,тарифний номер +DocType: Production Order Item,Available Qty at WIP Warehouse,Доступний Кількість на складі WIP apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Прогнозований -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Серійний номер {0} не належить до складу {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Серійний номер {0} не належить до складу {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,"Примітка: Система не перевірятиме по-доставки і більш-бронювання для Пункт {0}, як кількість або сума 0" DocType: Notification Control,Quotation Message,Повідомлення пропозиції DocType: Employee Loan,Employee Loan Application,Служить заявка на отримання кредиту @@ -3070,13 +3081,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Сума документу кінцевої вартості apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Законопроекти, підняті постачальників." DocType: POS Profile,Write Off Account,Рахунок списання -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебетові Примітка Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Дебетові Примітка Amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Сума знижки 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 +207,e.g. VAT,"наприклад, ПДВ" +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 +3095,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 +1945,Please select customer,"Будь ласка, виберіть клієнта" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,"Будь ласка, виберіть клієнта" DocType: C-Form,I,Я DocType: Company,Asset Depreciation Cost Center,Центр витрат амортизації DocType: Sales Order Item,Sales Order Date,Дата Замовлення клієнта @@ -3113,7 +3124,7 @@ DocType: Lead,Address Desc,Опис адреси apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Контрагент є обов'язковим DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Назва теми -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Принаймні один з продажу або покупки повинен бути обраний +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Принаймні один з продажу або покупки повинен бути обраний apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Виберіть характер вашого бізнесу. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Рядок # {0}: повторювані записи в посиланнях {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Де проводяться виробничі операції. @@ -3122,7 +3133,7 @@ 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} DocType: Employee,Confirmation Date,Дата підтвердження DocType: C-Form,Total Invoiced Amount,Всього Сума за рахунками -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,"Мін к-сть не може бути більше, ніж макс. к-сть" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Мін к-сть не може бути більше, ніж макс. к-сть" DocType: Account,Accumulated Depreciation,Накопичений знос DocType: Stock Entry,Customer or Supplier Details,Замовник або Постачальник Подробиці DocType: Employee Loan Application,Required by Date,потрібно Дата @@ -3151,10 +3162,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Позиці apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Назва компанії не може бути компанія apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Фірмові заголовки для шаблонів друку. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Назви для шаблонів друку, наприклад рахунок-проформа." +DocType: Program Enrollment,Walking,ходьба DocType: Student Guardian,Student Guardian,Студент-хранитель apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Звинувачення типу Оцінка не може відзначений як включено DocType: POS Profile,Update Stock,Оновити запас -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Постачальник> Постачальник Тип apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Різні Одиниця виміру для елементів призведе до неправильної (всього) значення маси нетто. Переконайтеся, що вага нетто кожного елемента знаходиться в тій же UOM." apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Вартість згідно норми DocType: Asset,Journal Entry for Scrap,Проводка для брухту @@ -3208,7 +3219,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Показати податок розпад apps/erpnext/erpnext/accounts/party.py +308,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,"Немає студентів, не знайдено" @@ -3228,7 +3238,7 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,немає Студенти +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 +108,Please enter 'Expected Delivery Date',"Будь ласка, введіть "Очікувана дата доставки"" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка Примітки {0} має бути скасований до скасування цього замовлення клієнта @@ -3236,7 +3246,7 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,P 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 +13,Invalid GSTIN or Enter NA for Unregistered,Invalid GSTIN або Enter NA для Незареєстрований +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3276,23 @@ DocType: Sales Team,Contribution (%),Внесок (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примітка: Оплата не буде створена, оскільки не зазаначено ""Готівковий або банківський рахунок""" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Обов'язки DocType: Expense Claim Account,Expense Claim Account,Рахунок Авансового звіту +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> Установки> Naming Series" 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,Додавання користувачів 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." DocType: Stock Reconciliation Item,Before reconciliation,Перед інвентаризацією apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Для {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Податки та збори додано (Валюта компанії) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Податковий ряд {0} повинен мати обліковий запис типу податку або доходів або витрат або платно +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Податковий ряд {0} повинен мати обліковий запис типу податку або доходів або витрат або платно DocType: Sales Order,Partly Billed,Частково є у виставлених рахунках apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Пункт {0} повинен бути Fixed Asset Item DocType: Item,Default BOM,Норми за замовчуванням -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Дебет Примітка Сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,Дебет Примітка Сума apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Будь ласка, повторіть введення назви компанії, щоб підтвердити" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Загальна неоплачена сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Загальна неоплачена сума DocType: Journal Entry,Printing Settings,Налаштування друку DocType: Sales Invoice,Include Payment (POS),Увімкніть Оплату (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Загальна сума по дебету має дорівнювати загальній суми по кредиту. Різниця дорівнює {0} @@ -3288,20 +3300,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Авто DocType: Vehicle,Insurance Company,Страхова компанія DocType: Asset Category Account,Fixed Asset Account,Рахунок основних засобів apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,змінна -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,З накладної +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,З накладної DocType: Student,Student Email Address,Студент E-mail адреса DocType: Timesheet Detail,From Time,Від часу apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,В наявності: DocType: Notification Control,Custom Message,Текст повідомлення apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Інвестиційний банкінг apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Готівковий або банківський рахунок є обов'язковим для здійснення оплати -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Будь ласка, вибір початкового номера серії для відвідуваності через Setup> Нумерація серії" apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса 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 +1517,Address Name,Адреса Ім'я +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,Адреса Ім'я DocType: Stock Entry,From BOM,З норм DocType: Assessment Code,Assessment Code,код оцінки apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основний @@ -3318,7 +3329,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок. +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/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,"Щомісячне погашення Сума не може бути більше, ніж сума позики" @@ -3326,7 +3337,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,Значення має бути позитивним +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,Студент вже надійшов. @@ -3335,7 +3346,7 @@ DocType: Process Payroll,Process Payroll,Розрахунок заробітно apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,У цьому місяці більше вихідних ніж робочих днів. DocType: Product Bundle Item,Product Bundle Item,Комплект DocType: Sales Partner,Sales Partner Name,Назва торгового партнеру -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Запит на надання пропозицій +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Запит на надання пропозицій DocType: Payment Reconciliation,Maximum Invoice Amount,Максимальна Сума рахунку DocType: Student Language,Student Language,Student Мова apps/erpnext/erpnext/config/selling.py +23,Customers,клієнти @@ -3346,7 +3357,7 @@ DocType: Asset,Partially Depreciated,Частково амортизований DocType: Issue,Opening Time,Час відкриття apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"Від і До дати, необхідних" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Цінні папери та бірж -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '" +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 +847,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture @@ -3365,7 +3376,7 @@ 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 +266,Raw Material,Сировина +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,Сума податку після скидки Сума @@ -3377,7 +3388,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Відкриття Дата повинна бути, перш ніж Дата закриття" -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> Установки> Naming Series" 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.,"Дні, для яких вихідні заблоковані для цього відділу." @@ -3390,8 +3400,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете відняти, коли категорія для "Оцінка" або "Оцінка і Total '" -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},Серійні номери обов'язкові для серіалізованої позиції номенклатури {0} +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/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,Банк Стажер DocType: Authorization Rule,Applicable To (Designation),Застосовується до (Посада) @@ -3408,7 +3418,7 @@ 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 +270,Hour,Година +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Ви не уповноважений погоджувати відпустки на заблоковані дати @@ -3418,7 +3428,7 @@ 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 +645,Point of Sale,POS +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,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 по Гардіан @@ -3435,8 +3445,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 +270,Gram,грам -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0." +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/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,14 +3472,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 +465,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,Марк відвідуваності для декількох співробітників @@ -3501,7 +3511,7 @@ 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 +436,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,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 DocType: Tax Rule,Billing State,Штат (оплата) @@ -3549,7 +3559,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},Неприпустимий атрибут {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Будь ласка, виберіть групу оцінки, крім «всіх груп за оцінкою»" @@ -3650,16 +3660,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,Зарплатні Ко DocType: Program Enrollment Tool,New Academic Year,Новий навчальний рік apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Повернення / Кредит Примітка DocType: Stock Settings,Auto insert Price List rate if missing,Відсутня прайс-лист ціна для автовставки -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Всього сплачена сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Всього сплачена сума DocType: Production Order Item,Transferred Qty,Переведений Кількість apps/erpnext/erpnext/config/learn.py +11,Navigating,Навігаційний 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 +272,We sell this Item,Ми продаємо цей товар +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,зразок даних 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,півдня Дата @@ -3707,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 +1186,Please set Company,"Будь ласка, встановіть компанії" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,"Будь ласка, встановіть компанії" DocType: Pricing Rule,Buying,Купівля DocType: HR Settings,Employee Records to be created by,"Співробітник звіти, які будуть створені" DocType: POS Profile,Apply Discount On,Застосувати знижки на @@ -3724,13 +3736,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,стягувати збори DocType: Attendance,ATT-,попит- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Штрихкод {0} вже використовується у номенклатурній позиції {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Штрихкод {0} вже використовується у номенклатурній позиції {1} DocType: Lead,Add to calendar on this date,Додати в календар в цей день apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для додавання транспортні витрати. DocType: Item,Opening Stock,Початкові залишки apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Потрібно клієнтів apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} є обов'язковим для повернення DocType: Purchase Order,To Receive,Отримати +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Особиста електронна пошта apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Всього розбіжність DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Якщо опція включена, то система буде автоматично створювати бухгалтерські проводки для номенклатури." @@ -3741,7 +3754,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 +541,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію" +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,Стандартний Продаж @@ -3749,7 +3762,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,З гарантії DocType: BOM Replace Tool,Replace,Замінювати apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Не знайдено продуктів. -DocType: Production Order,Unstopped,відкриються apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} по вихідних рахунках-фактурах {1} DocType: Sales Invoice,SINV-,Вих_Рах- DocType: Request for Quotation Item,Project Name,Назва проекту @@ -3760,6 +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} 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} або вже прив'язана до іншого документу @@ -3797,9 +3810,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,"Пункт {0} ігноруються, так як це не інвентар" +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 +40,Submit this Production Order for further processing.,Проведіть це виробниче замовлення для подальшої обробки. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,12 +3820,14 @@ 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 +209,Rate (%),Ставка (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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","Додайте користувачів у вашій організації, крім себе" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',"Будь ласка, встановіть фільтр компанії порожнім, якщо група До є «Компанія»" apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Дата розміщення не може бути майбутня дата apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серійний номер {1}, не відповідає {2} {3}" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Непланована відпустка @@ -3841,7 +3856,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,Запис складської apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не налаштований на послідовний пп. Колонка повинна бути порожньою +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,Пункт {0} не налаштований на послідовний пп. Колонка повинна бути порожньою DocType: Accounts Settings,Accounts Settings,Налаштування рахунків apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,затвердити DocType: Customer,Sales Partner and Commission,Торговий партнер та комісія @@ -3856,7 +3871,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,Складова продукції згідно норм DocType: Account,Auditor,Аудитор -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} виготовлені товари +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,Повернення @@ -3870,7 +3885,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,Курс валюти -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,Управління флотом @@ -3895,18 +3910,18 @@ 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 +705,Online,Online +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} відключена DocType: Employee Loan,Repay Fixed Amount per Period,Погашати фіксовану суму за період apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Будь ласка, введіть кількість для {0}" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредит Примітка Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Кредит Примітка Amt DocType: Employee External Work History,Employee External Work History,Співробітник зовнішньої роботи Історія DocType: Tax Rule,Purchase,Купівля apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Кількісне сальдо @@ -3932,7 +3947,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 +2383,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури DocType: Employee,Encashment Date,Дата виплати DocType: Training Event,Internet,інтернет DocType: Account,Stock Adjustment,Підлаштування інвентаря @@ -3962,6 +3977,7 @@ DocType: Guardian,Guardian Of ,хранитель DocType: Grading Scale Interval,Threshold,поріг DocType: BOM Replace Tool,Current BOM,Поточні норми витрат apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Додати серійний номер +DocType: Production Order Item,Available Qty at Source Warehouse,Доступний Кількість на складі Джерело apps/erpnext/erpnext/config/support.py +22,Warranty,гарантія DocType: Purchase Invoice,Debit Note Issued,Дебет Примітка Випущений DocType: Production Order,Warehouses,Склади @@ -3977,13 +3993,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Виплачу apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Керівник проекту ,Quoted Item Comparison,Цитується Порівняння товару apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Відправка -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Макс дозволена знижка для позиції: {0} = {1}% +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 +279,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 +879,Select Items to Manufacture,Вибір елементів для виготовлення -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час" +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час" DocType: Item,Material Issue,Матеріал Випуск DocType: Hub Settings,Seller Description,Продавець Опис DocType: Employee Education,Qualification,Кваліфікація @@ -4007,7 +4023,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 +200,Cannot cancel because submitted Stock Entry {0} exists,"Не можна скасувати, тому що проведений Рух ТМЦ {0} існує" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,"Не можна скасувати, тому що проведений Рух ТМЦ {0} існує" DocType: Employee Loan,Disbursement Date,витрачання Дата DocType: Vehicle,Vehicle,транспортний засіб DocType: Purchase Invoice,In Words,Прописом @@ -4028,7 +4044,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Щоб встановити цей фінансовий рік, за замовчуванням, натисніть на кнопку "Встановити за замовчуванням"" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,приєднатися apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Брак к-сті -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами DocType: Employee Loan,Repay from Salary,Погашати із заробітної плати DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Запит платіж проти {0} {1} на суму {2} @@ -4046,18 +4062,18 @@ 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 +1011,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,Серійний номер {0} вже отриманий +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: Expense Claim,Vehicle Log,автомобіль Вхід DocType: Purchase Invoice,Recurring Id,Ідентифікатор періодичності DocType: Customer,Sales Team Details,Продажі команд Детальніше -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Видалити назавжди? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Невірний {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Невірний {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Лікарняний DocType: Email Digest,Email Digest,E-mail Дайджест DocType: Delivery Note,Billing Address Name,Назва адреси для рахунків @@ -4070,6 +4086,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,Оплаті DocType: Company,Change Abbreviation,Змінити абревіатуру DocType: Expense Claim Detail,Expense Date,Витрати Дата +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товару> Пункт Group> Марка DocType: Item,Max Discount (%),Макс Знижка (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Останнє Сума замовлення DocType: Task,Is Milestone,Чи є Milestone @@ -4093,8 +4110,8 @@ DocType: Program Enrollment Tool,New Program,Нова програма DocType: Item Attribute Value,Attribute Value,Значення атрибуту ,Itemwise Recommended Reorder Level,Рекомендовані рівні перезамовлення по товарах DocType: Salary Detail,Salary Detail,Заробітна плата: Подробиці -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Будь ласка, виберіть {0} в першу чергу" -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Партія {0} номенклатурної позиції {1} протермінована. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,"Будь ласка, виберіть {0} в першу чергу" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Партія {0} номенклатурної позиції {1} протермінована. DocType: Sales Invoice,Commission,Комісія apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Час Лист для виготовлення. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,проміжний підсумок @@ -4119,12 +4136,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 +399,Operation Time must be greater than 0 for Operation {0},"Час роботи повинно бути більше, ніж 0 для операції {0}" +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/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 +387,Production Order cannot be raised against a Item Template,Виробниче замовлення не може бути зроблене на шаблон номенклатурної позиції +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,Дата початку @@ -4154,7 +4171,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Утилізація Дата DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Електронні листи будуть відправлені до всіх активні працівники компанії на даний час, якщо у них немає відпустки. Резюме відповідей буде відправлений опівночі." DocType: Employee Leave Approver,Employee Leave Approver,Погоджувач відпустки працівника -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не можете бути оголошений як втрачений, бо вже зроблена пропозиція." 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} повинно бути проведеним @@ -4188,6 +4205,7 @@ DocType: Announcement,Student,студент apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Організація блок (департамент) господар. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Будь ласка, введіть дійсні номери мобільних" apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Будь ласка, введіть повідомлення перед відправкою" +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,Дублює ДЛЯ ПОСТАЧАЛЬНИКІВ DocType: Email Digest,Pending Quotations,до Котирування apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,POS- Профіль apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Оновіть SMS Налаштування @@ -4196,7 +4214,7 @@ DocType: Cost Center,Cost Center Name,Назва центру витрат DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Максимальна кількість робочих годин за табелем робочого часу DocType: Maintenance Schedule Detail,Scheduled Date,Запланована дата -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Загальна оплачена сума +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Загальна оплачена сума DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Повідомлення більше ніж 160 символів будуть розділені на кілька повідомлень DocType: Purchase Receipt Item,Received and Accepted,Отримав і прийняв ,GST Itemised Sales Register,GST Деталізація продажів Реєстрація @@ -4206,7 +4224,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 +237,Your Suppliers,Ваші Постачальники +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Чи не можете відняти, коли категорія для "Оцінка" або "Vaulation і Total '" @@ -4218,7 +4236,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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}","Згідно Настройці Покупки якщо Купівля Reciept Обов'язково == «YES», то для створення рахунку-фактури, користувач необхідний створити квитанцію про покупку першим за пунктом {0}" apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Зображення для веб-сайту {0}, долучене до об’єкту {1} не може бути знайдене" +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.,Включити цей товар у декілька груп на веб сайті. @@ -4233,7 +4251,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Що це р apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,На склад apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Все Вступникам Student ,Average Commission Rate,Середня ставка комісії -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Має серійний номер"" не може бути ""Так"" для неінвентарного об’єкту" +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,"""Має серійний номер"" не може бути ""Так"" для неінвентарного об’єкту" apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Відвідуваність не можна вносити для майбутніх дат DocType: Pricing Rule,Pricing Rule Help,Довідка з цінових правил DocType: School House,House Name,Назва будинку @@ -4249,7 +4267,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 +339,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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" @@ -4264,20 +4282,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Зарплатний розрахунок для працівника {0} вже створений на основі табелю {1} DocType: Vehicle Log,Odometer,одометр DocType: Sales Order Item,Ordered Qty,Замовлена (ordered) к-сть -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Пункт {0} відключена +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 +874,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,заправні Детальніше apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Згенерувати Зарплатні розрахунки -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","""Купівля"" повинно бути позначено, якщо ""Застосовне для"" обране як {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","""Купівля"" повинно бути позначено, якщо ""Застосовне для"" обране як {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,"Знижка повинна бути менше, ніж 100" 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 +500,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення" +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,Програма подачі заявок DocType: Landed Cost Voucher,Landed Cost Voucher,Документ кінцевої вартості @@ -4340,7 +4358,6 @@ DocType: Maintenance Visit,MV,М.В. apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очікувана дата не може бути до дати Замовлення матеріалів DocType: Purchase Invoice Item,Stock Qty,Фото Кількість DocType: Purchase Invoice Item,Stock Qty,Фото Кількість -DocType: Production Order,Source Warehouse (for reserving Items),Джерело Склад (для резервування Items) DocType: Employee Loan,Repayment Period in Months,Період погашення в місцях apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Помилка: Чи не діє ID? DocType: Naming Series,Update Series Number,Оновлення Кількість Серія @@ -4388,7 +4405,7 @@ DocType: Production Order,Planned End Date,Планована Дата закі apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Де елементи зберігаються. DocType: Request for Quotation,Supplier Detail,Постачальник: Подробиці apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Помилка у формулі або умова: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Сума за рахунками +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Сума за рахунками DocType: Attendance,Attendance,Відвідуваність apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Stock Items DocType: BOM,Materials,Матеріали @@ -4429,10 +4446,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,Налаштувати простий веб-сайт для моєї організації +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}" +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}" DocType: Item,Default Warehouse,Склад за замовчуванням apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Бюджет не може бути призначений на обліковий запис групи {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Будь ласка, введіть батьківський центр витрат" @@ -4494,7 +4511,7 @@ 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 +1344,Select or add new customer,Вибрати або додати нового клієнта +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/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,Це засновано на відвідуваності цього співробітника @@ -4502,6 +4519,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,Дата початку року DocType: Attendance,Employee Name,Ім'я працівника DocType: Sales Invoice,Rounded Total (Company Currency),Заокруглений підсумок (Валюта компанії) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, встановіть службовців систему імен в людських ресурсах> HR Налаштування" 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 +231,{0} {1} has been modified. Please refresh.,"{0} {1} був змінений. Будь ласка, поновіть." DocType: Leave Block List,Stop users from making Leave Applications on following days.,Завадити користувачам створювати заяви на відпустки на наступні дні. @@ -4524,7 +4542,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,Читання 3 ,Hub,Концентратор DocType: GL Entry,Voucher Type,Тип документа -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Прайс-лист не знайдений або відключений +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} повинен бути встановлений як "ліві" @@ -4544,7 +4562,7 @@ DocType: POS Profile,Account for Change Amount,Рахунок для суми з apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партія / рахунку не відповідає {1} / {2} в {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Будь ласка, введіть видатковий рахунок" DocType: Account,Stock,Інвентар -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу" DocType: Employee,Current Address,Поточна адреса DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Якщо товар є варіантом іншого, то опис, зображення, ціноутворення, податки і т.д. будуть встановлені на основі шаблону, якщо явно не вказано інше" DocType: Serial No,Purchase / Manufacture Details,Закупівля / Виробництво: Детальніше @@ -4583,11 +4601,12 @@ DocType: Student,Home Address,Домашня адреса apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,передача активів DocType: POS Profile,POS Profile,POS-профіль DocType: Training Event,Event Name,Назва події -apps/erpnext/erpnext/config/schools.py +39,Admission,вхід +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,вхід apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Вступникам для {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Номенклатурна позиція {0} - шаблон, виберіть один з його варіантів" DocType: Asset,Asset Category,Категорія активів +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Той хто закуповує apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,"Сума ""на руки"" не може бути від'ємною" DocType: SMS Settings,Static Parameters,Статичні параметри DocType: Assessment Plan,Room,кімната @@ -4596,6 +4615,7 @@ DocType: Item,Item Tax,Податки apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Матеріал Постачальнику apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизний Рахунок apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% з'являється більше одного разу +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія DocType: Expense Claim,Employees Email Id,Співробітники 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,Поточні зобов'язання @@ -4667,6 +4687,7 @@ DocType: Leave Type,Is Carry Forward,Є переносити apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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}" +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 ,Stock Summary,сумарний стік diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv index c4d4f7835d..f98497a4e1 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",روک پروڈکشن آرڈر منسوخ نہیں کیا جا سکتا، منسوخ کرنے کے لئے سب سے پہلے اس Unstop +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,طے شدہ پردایک @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1} +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 +808,Invoice,انوائس DocType: Maintenance Schedule Item,Periodicity,مدت apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالی سال {0} کی ضرورت ہے @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,کام جاری ہے apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,تاریخ منتخب کیجیے DocType: Employee,Holiday List,چھٹیوں فہرست -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,اکاؤنٹنٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,اکاؤنٹنٹ DocType: Cost Center,Stock User,اسٹاک صارف DocType: Company,Phone No,فون نمبر apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,کورس شیڈول پیدا کیا: @@ -109,7 +109,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38, DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",دو کالموں، پرانے نام کے لئے ایک اور نئے نام کے لئے ایک کے ساتھ CSV فائل منسلک کریں 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/public/js/setup_wizard.js +269,Kg,کلو +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,کلو DocType: Student Log,Log,لاگ apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ایک کام کے لئے کھولنے. DocType: Item Attribute,Increment,اضافہ @@ -119,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 +42,Not permitted for {0},کی اجازت نہیں {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,سے اشیاء حاصل -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0} apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,کوئی آئٹم مندرج DocType: Payment Reconciliation,Reconcile,مصالحت apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +30,Grocery,گروسری @@ -129,7 +129,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 +1673,Not items found,آئٹم نہیں ملا +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,فروخت انوائس آئٹم @@ -140,9 +140,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,اسٹاک کی رپور DocType: Warehouse,Warehouse Detail,گودام تفصیل apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},کریڈٹ کی حد گاہک کے لئے تجاوز کر گئی ہے {0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","فکسڈ اثاثہ ہے" اثاثہ ریکارڈ کی شے کے خلاف موجود نہیں کے طور پر، انینترت ہو سکتا ہے +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/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,ایک کسٹمر کو ایک ہی نام کے ساتھ موجود @@ -158,7 +159,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},سے {0} سے {1} DocType: Item,Copy From Item Group,آئٹم گروپ سے کاپی DocType: Journal Entry,Opening Entry,افتتاحی انٹری -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,اکاؤنٹ تنخواہ صرف DocType: Employee Loan,Repay Over Number of Periods,دوران ادوار کی تعداد ادا DocType: Stock Entry,Additional Costs,اضافی اخراجات @@ -176,7 +176,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,ریل اسٹیٹ کی -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,اکاؤنٹ کا بیان +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,دواسازی DocType: Purchase Invoice Item,Is Fixed Asset,فکسڈ اثاثہ ہے apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",دستیاب کی مقدار {0}، آپ کی ضرورت ہے {1} @@ -184,7 +184,7 @@ 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/public/js/setup_wizard.js +266,Consumable,فراہمی +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ھیںچو اوپر کے معیار کی بنیاد پر قسم تیاری کے مواد کی گذارش @@ -210,12 +210,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے. +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,مثال: بنیادی ریاضی +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/config/hr.py +214,Settings for HR Module,HR ماڈیول کے لئے ترتیبات DocType: SMS Center,SMS Center,ایس ایم ایس مرکز @@ -231,6 +231,7 @@ apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carri DocType: Serial No,Maintenance Status,بحالی رتبہ apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,اشیا اور قیمتوں کا تعین apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},تاریخ سے مالیاتی سال کے اندر اندر ہونا چاہئے. تاریخ سے سنبھالنے = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,کوٹس DocType: Customer,Individual,انفرادی DocType: Interest,Academics User,ماہرین تعلیم یوزر DocType: Cheque Print Template,Amount In Figure,پیکر میں رقم @@ -261,7 +262,7 @@ DocType: Employee,Create User,یوزر بنائیں DocType: Selling Settings,Default Territory,پہلے سے طے شدہ علاقہ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,ٹیلی ویژن DocType: Production Order Operation,Updated via 'Time Log','وقت لاگ ان' کے ذریعے اپ ڈیٹ -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1} DocType: Naming Series,Series List for this Transaction,اس ٹرانزیکشن کے لئے سیریز DocType: Company,Enable Perpetual Inventory,ہمیشہ انوینٹری فعال DocType: Company,Default Payroll Payable Account,پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ @@ -269,7 +270,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 +177,For Warehouse is required before Submit,گودام کے لئے جمع کرانے سے پہلے کی ضرورت ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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.",جانچ پڑتال کی تو مواد کی درخواستوں میں غیر اسٹاک اشیاء میں شامل ہوں گے. @@ -277,13 +278,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 +2256,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,رابطے کا نام +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 گاہک گروپ @@ -297,13 +298,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,تاریخ حاجت میں شمولیت کی تاریخ سے زیادہ ہونا چاہیے 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 +189,Warehouse {0} does not belong to company {1},{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 +270,Litre,Litre +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,چھوڑ کریں -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,بینک لکھے apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,سالانہ DocType: Stock Reconciliation Item,Stock Reconciliation Item,اسٹاک مصالحتی آئٹم @@ -311,7 +312,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 +316,People who teach at your organisation,آپ کی تنظیم میں پڑھانے والے لوگ +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,کم از کم آرڈر کی مقدار @@ -322,7 +323,7 @@ DocType: POS Profile,Allow user to edit Rate,صارف کی شرح میں ترم DocType: Item,Publish in Hub,حب میں شائع DocType: Student Admission,Student Admission,طالب علم داخلہ ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,مواد کی درخواست DocType: Bank Reconciliation,Update Clearance Date,اپ ڈیٹ کی کلیئرنس تاریخ DocType: Item,Purchase Details,خریداری کی تفصیلات @@ -361,7 +362,7 @@ DocType: Item,Synced With Hub,حب کے ساتھ موافقت پذیر DocType: Vehicle,Fleet Manager,فلیٹ مینیجر 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 +368,Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,7 +378,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,آپ اسے نکالا بعد ادائیگی انٹری پر نظر ثانی کر دیا گیا ہے. اسے دوبارہ ھیںچو براہ مہربانی. -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} آئٹم ٹیکس میں دو بار میں داخل +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} آئٹم ٹیکس میں دو بار میں داخل apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,اس ہفتے اور زیر التواء سرگرمیوں کا خلاصہ DocType: Student Applicant,Admitted,اعتراف کیا DocType: Workstation,Rent Cost,کرایہ لاگت @@ -411,7 +412,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,٪ موصول apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,طلبہ تنظیموں بنائیں apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,سیٹ اپ پہلے مکمل !! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,کریڈٹ نوٹ رقم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,کریڈٹ نوٹ رقم ,Finished Goods,تیار اشیاء DocType: Delivery Note,Instructions,ہدایات DocType: Quality Inspection,Inspected By,کی طرف سے معائنہ @@ -436,8 +437,9 @@ 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 +1456,Create a new Customer,ایک نئے گاہک بنائیں +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> سیٹ اپ کے ذریعے حاضری کے لئے سیریز کی تعداد مہربانی نمبر سیریز apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,خریداری کے آرڈر بنائیں ,Purchase Register,خریداری رجسٹر DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -462,7 +464,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں. +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 دستی پڑھیں @@ -483,7 +485,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تمام مینوفیکچرنگ کے عمل کے لئے عالمی ترتیبات. DocType: Accounts Settings,Accounts Frozen Upto,منجمد تک اکاؤنٹس DocType: SMS Log,Sent On,پر بھیجا -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,خاصیت {0} صفات ٹیبل میں ایک سے زیادہ مرتبہ منتخب +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,خاصیت {0} صفات ٹیبل میں ایک سے زیادہ مرتبہ منتخب DocType: HR Settings,Employee record is created using selected field. ,ملازم ریکارڈ منتخب کردہ میدان کا استعمال کرتے ہوئے تخلیق کیا جاتا ہے. DocType: Sales Order,Not Applicable,قابل اطلاق نہیں apps/erpnext/erpnext/config/hr.py +70,Holiday master.,چھٹیوں ماسٹر. @@ -519,7 +521,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 +219,List a few of your customers. They could be organizations or individuals.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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",اکاؤنٹ کی طرف سے گروپ ہے، اکاؤنٹ کی بنیاد پر فلٹر نہیں کر سکتے ہیں @@ -534,7 +536,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,مواد درخواست اٹھایا جائے گا جس کے لئے گودام میں داخل کریں DocType: Production Order,Additional Operating Cost,اضافی آپریٹنگ لاگت apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,کاسمیٹک -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ضم کرنے کے لئے، مندرجہ ذیل خصوصیات دونوں اشیاء کے لئے ایک ہی ہونا چاہیے +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",ضم کرنے کے لئے، مندرجہ ذیل خصوصیات دونوں اشیاء کے لئے ایک ہی ہونا چاہیے DocType: Shipping Rule,Net Weight,سارا وزن DocType: Employee,Emergency Phone,ایمرجنسی فون apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,خریدنے @@ -544,7 +546,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 +2428,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,منیجنگ ذیلی سمجھوتے @@ -563,7 +565,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ ترمیم ٹیکس اور الزامات شامل DocType: Purchase Invoice,Supplier Invoice No,سپلائر انوائس کوئی DocType: Territory,For reference,حوالے کے لیے -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",حذف نہیں کرسکتے ہیں سیریل کوئی {0}، یہ اسٹاک لین دین میں استعمال کیا جاتا ہے کے طور پر +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",حذف نہیں کرسکتے ہیں سیریل کوئی {0}، یہ اسٹاک لین دین میں استعمال کیا جاتا ہے کے طور پر apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),بند (CR) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,منتقل آئٹم DocType: Serial No,Warranty Period (Days),وارنٹی مدت (دن) @@ -584,7 +586,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,پہلی کمپنی اور پارٹی کی قسم منتخب کریں apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,مالی / اکاؤنٹنگ سال. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,جمع اقدار -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",معذرت، سیریل نمبر ضم نہیں کیا جا سکتا +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",معذرت، سیریل نمبر ضم نہیں کیا جا سکتا apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,سیلز آرڈر بنائیں DocType: Project Task,Project Task,پراجیکٹ ٹاسک ,Lead Id,لیڈ کی شناخت @@ -604,6 +606,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,مختص apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,سیلز واپس 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,نوٹ: کل روانہ مختص {0} پہلے ہی منظور پتیوں سے کم نہیں ہونا چاہئے {1} مدت کے لئے +,Total Stock Summary,کل اسٹاک خلاصہ DocType: Announcement,Posted By,کی طرف سے پوسٹ DocType: Item,Delivered by Supplier (Drop Ship),سپلائر کی طرف سے نجات بخشی (ڈراپ جہاز) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,ممکنہ گاہکوں کے ڈیٹا بیس. @@ -612,7 +615,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,کسٹمر ڈیٹ DocType: Quotation,Quotation To,کے لئے کوٹیشن DocType: Lead,Middle Income,درمیانی آمدنی apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),افتتاحی (CR) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,آپ نے پہلے ہی ایک UOM ساتھ کچھ لین دین (ے) بنا دیا ہے کی وجہ سے اشیاء کے لئے پیمائش کی پہلے سے طے شدہ یونٹ {0} براہ راست تبدیل نہیں کیا جا سکتا. آپ کو ایک مختلف پہلے سے طے شدہ UOM استعمال کرنے کے لئے ایک نیا آئٹم تخلیق کرنے کے لئے کی ضرورت ہو گی. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,آپ نے پہلے ہی ایک UOM ساتھ کچھ لین دین (ے) بنا دیا ہے کی وجہ سے اشیاء کے لئے پیمائش کی پہلے سے طے شدہ یونٹ {0} براہ راست تبدیل نہیں کیا جا سکتا. آپ کو ایک مختلف پہلے سے طے شدہ UOM استعمال کرنے کے لئے ایک نیا آئٹم تخلیق کرنے کے لئے کی ضرورت ہو گی. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,مختص رقم منفی نہیں ہو سکتا apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,کمپنی قائم کی مہربانی apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,کمپنی قائم کی مہربانی @@ -634,6 +637,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,ماسٹرز DocType: Assessment Plan,Maximum Assessment Score,زیادہ سے زیادہ تشخیص اسکور apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,اپ ڈیٹ بینک ٹرانزیکشن تواریخ apps/erpnext/erpnext/config/projects.py +30,Time Tracking,وقت سے باخبر رکھنے +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ٹرانسپورٹر کیلئے ڈپلیکیٹ DocType: Fiscal Year Company,Fiscal Year Company,مالی سال کمپنی DocType: Packing Slip Item,DN Detail,DN تفصیل DocType: Training Event,Conference,کانفرنس @@ -673,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 +320,Timesheet created:,Timesheet پیدا کیا: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,اندراج کریں DocType: GST Settings,GST Settings,GST ترتیبات DocType: Selling Settings,Customer Naming By,کی طرف سے گاہک نام دینے @@ -703,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 +139,Finish,ختم +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,ختم apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,بنیاد DocType: Timesheet,Total Billed Hours,کل بل گھنٹے DocType: Journal Entry,Write Off Amount,رقم لکھیں @@ -738,7 +742,7 @@ DocType: Hub Settings,Seller City,فروش شہر ,Absent Student Report,غائب Student کی رپورٹ DocType: Email Digest,Next email will be sent on:,پیچھے اگلا، دوسرا ای میل پر بھیجا جائے گا: DocType: Offer Letter Term,Offer Letter Term,خط مدتی پیشکش -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,آئٹم مختلف حالتوں ہے. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,آئٹم مختلف حالتوں ہے. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,آئٹم {0} نہیں ملا DocType: Bin,Stock Value,اسٹاک کی قیمت apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,درخت کی قسم @@ -787,7 +791,7 @@ apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or 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 +48,Make Timesheet,Timesheet بنائیں +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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,13 +829,13 @@ 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,خاندانی پس منظر DocType: Request for Quotation Supplier,Send Email,ای میل بھیجیں -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},انتباہ: غلط لف دستاویز {0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,کوئی اجازت +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},انتباہ: غلط لف دستاویز {0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,کوئی اجازت 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 +269,Nos,نمبر +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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} پیش کرنا ضروری ہے @@ -851,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 +274,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,جمع ہراس کھولنے @@ -938,14 +942,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, ,Received Items To Be Billed,موصول ہونے والی اشیاء بل بھیجا جائے کرنے کے لئے apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,پیش تنخواہ تخم apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر. -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,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 +298,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 +543,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},سیریل نمبر {0} آئٹم سے تعلق نہیں ہے {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},سیریل نمبر {0} آئٹم سے تعلق نہیں ہے {1} DocType: Purchase Receipt Item Supplied,Required Qty,مطلوبہ مقدار apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا. DocType: Bank Reconciliation,Total Amount,کل رقم @@ -961,7 +965,7 @@ DocType: Supplier,Default Payable Accounts,پہلے سے طے شدہ قابل ا apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,{0} ملازم فعال نہیں ہے یا موجود نہیں ہے DocType: Fee Structure,Components,اجزاء DocType: Quality Inspection Reading,Reading 6,6 پڑھنا -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,نہ {0} {1} {2} بھی منفی بقایا انوائس کے بغیر کر سکتے ہیں +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,نہ {0} {1} {2} بھی منفی بقایا انوائس کے بغیر کر سکتے ہیں 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} @@ -975,12 +979,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 +731,New Sales Invoice,نئے فروخت انوائس +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,مطابقت پذیری حاضر انوائس +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,مطابقت پذیری حاضر انوائس DocType: Payment Request,Paid,ادائیگی DocType: Program Fee,Program Fee,پروگرام کی فیس DocType: Salary Slip,Total in words,الفاظ میں کل @@ -1013,10 +1017,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,کیمیکل DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,پہلے سے طے شدہ بینک / کیش اکاؤنٹ خود کار طریقے تنخواہ جرنل اندراج میں اپ ڈیٹ کیا جائے گا جب اس موڈ کو منتخب کیا گیا. DocType: BOM,Raw Material Cost(Company Currency),خام مواد کی لاگت (کمپنی کرنسی) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,تمام اشیاء پہلے ہی اس پروڈکشن آرڈر کے لئے منتقل کر دیا گیا ہے. +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 +270,Meter,میٹر +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,میٹر DocType: Workstation,Electricity Cost,بجلی کی لاگت DocType: HR Settings,Don't send Employee Birthday Reminders,ملازم سالگرہ کی یاددہانیاں نہ بھیجیں DocType: Item,Inspection Criteria,معائنہ کا کلیہ @@ -1039,7 +1043,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 +452,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,بیلنس قرض کی رقم @@ -1047,7 +1051,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 +259,Qty for {0},کے لئے مقدار {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,بلاک فہرست تاریخوں چھوڑ @@ -1059,9 +1063,9 @@ DocType: Purchase Invoice,Cash/Bank Account,کیش / بینک اکاؤنٹ apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},وضاحت کریں ایک {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,مقدار یا قدر میں کوئی تبدیلی نہیں کے ساتھ ختم اشیاء. DocType: Delivery Note,Delivery To,کی ترسیل کے -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,وصف میز لازمی ہے +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,وصف میز لازمی ہے DocType: Production Planning Tool,Get Sales Orders,سیلز احکامات حاصل -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} منفی نہیں ہو سکتا +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} منفی نہیں ہو سکتا apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ڈسکاؤنٹ DocType: Asset,Total Number of Depreciations,Depreciations کی کل تعداد DocType: Sales Invoice Item,Rate With Margin,مارجن کے ساتھ کی شرح @@ -1098,7 +1102,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 +1546,ZIP Code,زپ کوڈ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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,اسٹاک اندراجات کر رہے ہیں @@ -1117,7 +1121,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,اپنے سپلائرز میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے. +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),کم از کم کے لیڈ عمر (دن) @@ -1140,7 +1144,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,ڈسٹریبیوٹر DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خریداری کی ٹوکری شپنگ حکمرانی apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,پروڈکشن آرڈر {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',سیٹ 'پر اضافی رعایت کا اطلاق کریں براہ مہربانی +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,رینج کم ہونا ضروری ہے کے مقابلے میں رینج کے لئے DocType: Global Defaults,Global Defaults,گلوبل ڈیفالٹس @@ -1148,10 +1152,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN کے پہلے 2 ہندسوں ریاست تعداد کے ساتھ ملنے چاہئے {0} +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,صلاحیت کی منصوبہ بندی کرنے میں خامی +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,صلاحیت کی منصوبہ بندی کرنے میں خامی ,Trial Balance for Party,پارٹی کے لئے مقدمے کی سماعت توازن DocType: Lead,Consultant,کنسلٹنٹ DocType: Salary Slip,Earnings,آمدنی @@ -1170,7 +1174,7 @@ DocType: Purchase Invoice,Is Return,واپسی ہے apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,واپس / ڈیبٹ نوٹ DocType: Price List Country,Price List Country,قیمت کی فہرست ملک DocType: Item,UOMs,UOMs -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} شے کے لئے درست سیریل نمبر {1} +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0} شے کے لئے درست سیریل نمبر {1} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,آئٹم کوڈ سیریل نمبر کے لئے تبدیل کر دیا گیا نہیں کیا جا سکتا apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},پی او ایس پروفائل {0} پہلے ہی صارف کے لئے پیدا کیا: {1} اور کمپنی {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM تبادلوں فیکٹر @@ -1180,7 +1184,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 +675,Cost Center For Item with Item Code ','آئٹم کوڈ شے کے لئے مرکز لاگت -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",مزید اکاؤنٹس گروپوں کے تحت بنایا جا سکتا ہے، لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے @@ -1222,7 +1226,7 @@ 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,لنک لیجر DocType: Grading Scale,Intervals,وقفے apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,قدیم ترین -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",ایک آئٹم گروپ ایک ہی نام کے ساتھ موجود ہے، شے کے نام کو تبدیل کرنے یا شے کے گروپ کو دوسرا نام کریں +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,آئٹم {0} بیچ نہیں کر سکتے ہیں @@ -1249,7 +1253,7 @@ DocType: Opportunity Item,Opportunity Item,موقع آئٹم apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,عارضی افتتاحی ,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/public/js/setup_wizard.js +288,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز DocType: Purchase Invoice,Rejected Warehouse,مسترد گودام DocType: GL Entry,Against Voucher,واؤچر کے خلاف DocType: Item,Default Buying Cost Center,پہلے سے طے شدہ خرید لاگت مرکز @@ -1260,7 +1264,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,سیلز آرڈر {0} درست نہیں ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1278,14 +1282,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,مسئلے کی جگہ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,معاہدہ DocType: Email Digest,Add Quote,اقتباس میں شامل -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM لئے ضروری UOM coversion عنصر: {0} آئٹم میں: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},UOM لئے ضروری UOM coversion عنصر: {0} آئٹم میں: {1} 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 +736,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,اپنی مصنوعات یا خدمات +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,اپنی مصنوعات یا خدمات DocType: Mode of Payment,Mode of Payment,ادائیگی کا طریقہ -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے DocType: Student Applicant,AP,AP DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,یہ ایک جڑ شے گروپ ہے اور میں ترمیم نہیں کیا جا سکتا. @@ -1303,14 +1307,13 @@ 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 +562,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",قیمتوں کا تعین اصول سب سے پہلے کی بنیاد پر منتخب کیا جاتا ہے آئٹم آئٹم گروپ یا برانڈ ہو سکتا ہے، میدان 'پر لگائیں'. 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 ہونا چاہئے -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},پروڈکشن آرڈر حیثیت ہے {0} DocType: Appraisal Goal,Goal,گول DocType: Sales Invoice Item,Edit Description,ترمیم تفصیل ,Team Updates,ٹیم کی تازہ ترین معلومات @@ -1325,14 +1328,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,چائلڈ گودام اس گودام کے لئے موجود ہے. آپ نے اس کے گودام حذف نہیں کر سکتے. DocType: Item,Website Item Groups,ویب سائٹ آئٹم گروپس DocType: Purchase Invoice,Total (Company Currency),کل (کمپنی کرنسی) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} سیریل نمبر ایک سے زائد بار میں داخل +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 +78,{0} items in progress,{0} رفت میں اشیاء +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,یہ اپسرگ کے ساتھ گزشتہ پیدا لین دین کی تعداد ہے @@ -1388,7 +1391,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,بوٹسٹریپ 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,کورس کی آخری تاریخ @@ -1401,7 +1403,7 @@ 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 +260,Max: {0},زیادہ سے زیادہ: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,مواصلات لاگ ان کریں. @@ -1411,7 +1413,7 @@ DocType: Sales Invoice,Shipping Address Name,شپنگ ایڈریس کا نام apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,اکاؤنٹس کا چارٹ DocType: Material Request,Terms and Conditions Content,شرائط و ضوابط مواد apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,زیادہ سے زیادہ 100 سے زائد نہیں ہو سکتا -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} آئٹم اسٹاک شے نہیں ہے +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,{0} آئٹم اسٹاک شے نہیں ہے DocType: Maintenance Visit,Unscheduled,شیڈول کا اعلان DocType: Employee,Owned,ملکیت DocType: Salary Detail,Depends on Leave Without Pay,بغیر تنخواہ چھٹی پر منحصر ہے @@ -1442,7 +1444,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 +273,We buy this Item,ہم اس شے کے خریدنے +apps/erpnext/erpnext/public/js/setup_wizard.js +301,We buy this Item,ہم اس شے کے خریدنے 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 بیلنس دکھائیں DocType: Shipping Rule,Shipping Account,شپنگ اکاؤنٹ @@ -1452,7 +1454,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 +266,Sub Assemblies,ذیلی اسمبلی +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,ذیلی اسمبلی DocType: Asset,Asset Name,ایسیٹ نام DocType: Project,Task Weight,ٹاسک وزن DocType: Shipping Rule Condition,To Value,قدر میں @@ -1484,12 +1486,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,ماخذ 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 +239,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ادائیگی ٹیبل میں پایا کوئی ریکارڈ apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},اس {0} کے ساتھ تنازعات {1} کو {2} {3} DocType: Student Attendance Tool,Students HTML,طلباء HTML DocType: POS Profile,Apply Discount,رعایت کا اطلاق کریں -DocType: Purchase Invoice Item,GST HSN Code,GST HSN کوڈ +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 +283,Packing Slip(s) cancelled,منسوخ پیکنگ پرچی (ے) @@ -1532,8 +1534,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 +2573,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,باکس +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 +873,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,وصول فہرست خالی ہے. وصول فہرست تشکیل دے براہ مہربانی @@ -1563,7 +1565,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,باز ادائیگی کا طریقہ DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",جانچ پڑتال کی تو، گھر کے صفحے ویب سائٹ کے لئے پہلے سے طے شدہ آئٹم گروپ ہو جائے گا DocType: Quality Inspection Reading,Reading 4,4 پڑھنا -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},{0} پروجیکٹ کے لئے نہیں پایا کیلئے ڈیفالٹ BOM {1} 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",طلباء کے نظام کے دل میں ہیں، آپ کے تمام طالب علموں کو شامل DocType: Company,Default Holiday List,چھٹیوں فہرست پہلے سے طے شدہ @@ -1579,29 +1580,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,نیا کام apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,کوٹیشن بنائیں apps/erpnext/erpnext/config/selling.py +216,Other Reports,دیگر رپورٹوں DocType: Dependent Task,Dependent Task,منحصر ٹاسک -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},پیمائش کی یونٹ کے لئے پہلے سے طے شدہ تبادلوں عنصر قطار میں ہونا چاہیے 1 {0} +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.,پیشگی ایکس دنوں کے لئے کی منصوبہ بندی کرنے کی کوشش کریں. 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} DocType: SMS Center,Receiver List,وصول کی فہرست -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,تلاش آئٹم +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,پہلے ہی مکمل +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/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 +263,Quantity must not be more than {0},مقدار سے زیادہ نہیں ہونا چاہئے {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 کی شناخت DocType: Account,Account Name,کھاتے کا نام apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,تاریخ تاریخ سے زیادہ نہیں ہو سکتا ہے -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,سیریل نمبر {0} مقدار {1} ایک حصہ نہیں ہو سکتا +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,سیریل نمبر {0} مقدار {1} ایک حصہ نہیں ہو سکتا apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,پردایک قسم ماسٹر. 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 نہیں ہو سکتا @@ -1609,6 +1610,7 @@ 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: Delivery Note,Vehicle Dispatch Date,گاڑی ڈسپیچ کی تاریخ +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} پیش نہیں ہے DocType: Company,Default Payable Account,پہلے سے طے شدہ قابل ادائیگی اکاؤنٹ apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",اس طرح کے شپنگ کے قوانین، قیمت کی فہرست وغیرہ کے طور پر آن لائن خریداری کی ٹوکری کے لئے ترتیبات @@ -1662,7 +1664,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,پتے کے طور DocType: Sales Invoice,Packed Items,پیک اشیا apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,سیریل نمبر کے خلاف دعوی وارنٹی DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",استعمال کیا جاتا ہے جہاں تمام دوسری BOMs میں ایک خاص BOM بدل. اسے، پرانا BOM لنک کی جگہ کی قیمت کو اپ ڈیٹ اور نئے BOM کے مطابق "BOM دھماکہ آئٹم" میز پنرجیویت گا -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','کل' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','کل' DocType: Shopping Cart Settings,Enable Shopping Cart,خریداری کی ٹوکری فعال DocType: Employee,Permanent Address,مستقل پتہ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1698,6 +1700,7 @@ DocType: Material Request,Transferred,منتقل DocType: Vehicle,Doors,دروازے apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل! DocType: Course Assessment Criteria,Weightage,اہمیت +DocType: Sales Invoice,Tax Breakup,ٹیکس بریک اپ 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,ایک گاہک گروپ ایک ہی نام کے ساتھ موجود ہے کسٹمر کا نام تبدیل کرنے یا گاہک گروپ کا نام تبدیل کریں apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,نیا رابطہ @@ -1716,7 +1719,7 @@ 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 +699,Offline,آف لائن +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,ایک کام کے لئے درخواست @@ -1733,7 +1736,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,مین apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ویرینٹ DocType: Naming Series,Set prefix for numbering series on your transactions,آپ کے لین دین پر سیریز تعداد کے لئے مقرر اپسرگ DocType: Employee Attendance Tool,Employees HTML,ملازمین ایچ ٹی ایم ایل -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے DocType: Employee,Leave Encashed?,Encashed چھوڑ دیں؟ apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,میدان سے مواقع لازمی ہے DocType: Email Digest,Annual Expenses,سالانہ اخراجات @@ -1746,7 +1749,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 +175,Work-in-Progress Warehouse is required before Submit,کام میں پیش رفت گودام جمع کرانے سے پہلے کی ضرورت ہے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,اپنے سپلائر کے بارے میں قانونی معلومات اور دیگر عمومی معلومات @@ -1754,7 +1757,7 @@ DocType: Item,Serial Nos and Batches,سیریل نمبر اور بیچوں apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,طالب علم گروپ طاقت apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,جرنل کے خلاف اندراج {0} کسی بھی بے مثال {1} اندراج نہیں ہے apps/erpnext/erpnext/config/hr.py +137,Appraisals,تشخیص -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},سیریل کوئی آئٹم کے لئے داخل نقل {0} +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}. زیادہ بلنگ کی اجازت دینے کے لئے، ترتیبات خریدنے میں قائم کریں @@ -1763,7 +1766,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,ادائیگی @@ -1780,12 +1783,12 @@ 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 +257,"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 +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.",آپ کو خریدنے یا فروخت ہے کہ اپنی مصنوعات یا خدمات کی فہرست. آپ کو شروع کرنے جب پیمائش اور دیگر خصوصیات کے آئٹم گروپ، یونٹ چیک کرنے کے لیے بات کو یقینی بنائیں. 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: Asset Movement,Asset Movement,ایسیٹ موومنٹ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,نیا ٹوکری +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,پہیے @@ -1811,7 +1814,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,خریداری کی رسیدیں سے اشیاء حاصل DocType: Serial No,Creation Date,بنانے کی تاریخ apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} شے کی قیمت کی فہرست میں ایک سے زیادہ مرتبہ ظاہر ہوتا ہے {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو فروخت، جانچ پڑتال ہونا ضروری {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو فروخت، جانچ پڑتال ہونا ضروری {0} DocType: Production Plan Material Request,Material Request Date,مواد تاریخ گذارش DocType: Purchase Order Item,Supplier Quotation Item,پردایک کوٹیشن آئٹم DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,پیداوار کے احکامات کے خلاف وقت نوشتہ کی تخلیق غیر فعال. آپریشنز پروڈکشن آرڈر کے خلاف ٹریک نہیں کیا جائے گا @@ -1827,12 +1830,12 @@ DocType: Supplier,Supplier of Goods or Services.,سامان یا خدمات کی DocType: Budget,Fiscal Year,مالی سال DocType: Vehicle Log,Fuel Price,ایندھن کی قیمت DocType: Budget,Budget,بجٹ -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,فکسڈ اثاثہ آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے. +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 +209,e.g. 5,مثال کے طور پر 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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,سیلز آئٹم @@ -1840,7 +1843,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 +263,A Product or Service,ایک پروڈکٹ یا سروس +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,موجودہ قیمت @@ -1912,7 +1915,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,جوڑی +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,جوڑی apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں DocType: Asset,Depreciation Schedule,ہراس کا شیڈول apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,فروخت پارٹنر پتے اور روابط @@ -1930,10 +1933,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},آئٹم گروپ شے کے لئے شے ماسٹر میں ذکر نہیں {0} -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے +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,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے DocType: Shipping Rule Condition,Shipping Amount,شپنگ رقم -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,صارفین کا اضافہ کریں +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,ہونے والا @@ -1949,6 +1952,7 @@ DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس ,Supplier-Wise Sales Analytics,سپلائر-حکمت سیلز تجزیات apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,ادا کی گئی رقم درج کریں DocType: Salary Structure,Select employees for current Salary Structure,موجودہ تنخواہ کی ساخت کے لئے ملازمین کو منتخب +DocType: Sales Invoice,Company Address Name,کمپنی ایڈریس نام 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)",والدین کورس (، خالی چھوڑ دیں یہ پیرنٹ کورس کا حصہ نہیں ہے تو) @@ -1969,7 +1973,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 +269,Unit,یونٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,جسے آپ نے مسترد اشیاء کی اسٹاک کو برقرار رکھنے کر رہے ہیں جہاں گودام @@ -1990,7 +1994,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم سیلز آرڈر میں سے ایک، فروخت انوائس یا جرنل اندراج ہونا ضروری ہے +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}: وقت سے اور وقت کے لئے لازمی ہے. DocType: Stock Reconciliation Item,Amount Difference,رقم فرق @@ -1999,7 +2003,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,خطے کی طرف سے صارفین کی درجہ بندی apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,فرق رقم صفر ہونا ضروری ہے DocType: Project,Gross Margin,مجموعی مارجن -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,پہلی پیداوار آئٹم کوڈ داخل کریں +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 +748,Quotation,کوٹیشن @@ -2011,7 +2015,7 @@ 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: Opportunity,Customer / Lead Address,کسٹمر / لیڈ ایڈریس -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},انتباہ: منسلکہ پر غلط SSL سرٹیفکیٹ {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},انتباہ: منسلکہ پر غلط SSL سرٹیفکیٹ {0} DocType: Student Admission,Eligibility,اہلیت apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",لیڈز آپ کو ملتا کاروبار، آپ لیڈز کے طور پر آپ کے تمام رابطوں اور مزید شامل کی مدد DocType: Production Order Operation,Actual Operation Time,اصل آپریشن کے وقت @@ -2030,11 +2034,11 @@ DocType: Appraisal,Calculate Total Score,کل اسکور کا حساب لگائ DocType: Request for Quotation,Manufacturing Manager,مینوفیکچرنگ کے مینیجر apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},سیریل نمبر {0} تک وارنٹی کے تحت ہے {1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,پیکجوں کے میں تقسیم ترسیل کے نوٹ. -apps/erpnext/erpnext/hooks.py +87,Shipments,ترسیل +apps/erpnext/erpnext/hooks.py +94,Shipments,ترسیل DocType: Payment Entry,Total Allocated Amount (Company Currency),کل مختص رقم (کمپنی کرنسی) DocType: Purchase Order Item,To be delivered to customer,گاہک کے حوالے کیا جائے گا DocType: BOM,Scrap Material Cost,سکریپ مواد کی لاگت -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,سیریل نمبر {0} کسی گودام سے تعلق نہیں ہے +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,سیریل نمبر {0} کسی گودام سے تعلق نہیں ہے DocType: Purchase Invoice,In Words (Company Currency),الفاظ میں (کمپنی کرنسی) DocType: Asset,Supplier,پردایک DocType: C-Form,Quarter,کوارٹر @@ -2049,11 +2053,10 @@ DocType: Leave Application,Total Leave Days,کل رخصت دنوں DocType: Email Digest,Note: Email will not be sent to disabled users,نوٹ: ای میل معذور صارفین کو نہیں بھیجی جائے گی apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,تعامل کی تعداد apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,تعامل کی تعداد -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ 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 +408,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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",کم سے کم ایک قطار میں مختص رقم، انوائس کی قسم اور انوائس تعداد کو منتخب کریں @@ -2095,7 +2098,8 @@ 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,سی ای او DocType: Expense Claim Detail,Expense Claim Detail,اخراجات دعوی تفصیل -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,درست اکاؤنٹ منتخب کریں +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,سپلائر کے لئے تین پرت +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,درست اکاؤنٹ منتخب کریں DocType: Item,Weight UOM,وزن UOM DocType: Salary Structure Employee,Salary Structure Employee,تنخواہ ساخت ملازم DocType: Employee,Blood Group,خون کا گروپ @@ -2117,7 +2121,7 @@ DocType: Student,Guardians,رکھوالوں 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 +336,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,پیشکش ٹرم @@ -2129,7 +2133,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,ٹیکن DocType: BOM Website Operation,BOM Website Operation,BOM ویب سائٹ آپریشن apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,خط پیش کرتے ہیں apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,مواد درخواستوں (یمآرپی) اور پیداوار کے احکامات حاصل کریں. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,کل انوائس AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,کل انوائس AMT DocType: BOM,Conversion Rate,تبادلوں کی شرح apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,مصنوعات کی تلاش DocType: Timesheet Detail,To Time,وقت @@ -2143,7 +2147,7 @@ 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} اسٹاک انٹری اسٹاک مصالحت کا استعمال کرتے ہوئے استعمال کریں اپ ڈیٹ نہیں کیا جا سکتا DocType: Training Event Employee,Training Event Employee,تربیت ایونٹ ملازم -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شے کے لئے کی ضرورت ہے سیریل نمبر {1}. آپ کی فراہم کردہ {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شے کے لئے کی ضرورت ہے سیریل نمبر {1}. آپ کی فراہم کردہ {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,موجودہ تشخیص کی شرح DocType: Item,Customer Item Codes,کسٹمر شے کوڈز apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ایکسچینج گین / نقصان @@ -2189,7 +2193,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 +2454,Select Batch No,بیچ منتخب نہیں +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,ایڈوانس رقم @@ -2213,19 +2217,19 @@ DocType: Leave Block List,Allow Users,صارفین کو اجازت دے DocType: Purchase Order,Customer Mobile No,کسٹمر موبائل نہیں DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,علیحدہ آمدنی ٹریک اور مصنوعات کاریکشیتر یا تقسیم کے لئے اخراجات. DocType: Rename Tool,Rename Tool,آلہ کا نام تبدیل کریں -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,اپ ڈیٹ لاگت +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 +438,Show Salary Slip,دکھائیں تنخواہ کی پرچی apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,ٹیکس شامل +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,بجٹ اکاؤنٹ @@ -2236,6 +2240,7 @@ DocType: Stock Entry,Purchase Receipt No,خریداری کی رسید نہیں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,بیانا رقم DocType: Process Payroll,Create Salary Slip,تنخواہ پرچی بنائیں apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability کے +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC کوڈ 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,ملازم @@ -2263,7 +2268,7 @@ DocType: Employee Education,Post Graduate,پوسٹ گریجویٹ DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,بحالی کے شیڈول تفصیل DocType: Quality Inspection Reading,Reading 9,9 پڑھنا DocType: Supplier,Is Frozen,منجمد ہے -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,گروپ نوڈ گودام لین دین کے لئے منتخب کرنے کے لئے کی اجازت نہیں ہے +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,گروپ نوڈ گودام لین دین کے لئے منتخب کرنے کے لئے کی اجازت نہیں ہے DocType: Buying Settings,Buying Settings,خرید ترتیبات DocType: Stock Entry Detail,BOM No. for a Finished Good Item,ایک ختم اچھی شے کے لئے BOM نمبر DocType: Upload Attendance,Attendance To Date,تاریخ کرنے کے لئے حاضری @@ -2279,13 +2284,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے. +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.js +153,You can not change rate if BOM mentioned agianst any item,BOM کسی بھی شے agianst ذکر اگر آپ کی شرح کو تبدیل نہیں کر سکتے ہیں +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,مقدار کے لئے apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},صف میں آئٹم {0} کے لئے منصوبہ بندی کی مقدار درج کریں {1} @@ -2307,7 +2312,7 @@ DocType: Authorization Rule,Authorized Value,مجاز ویلیو DocType: BOM,Show Operations,آپریشنز دکھائیں ,Minutes to First Response for Opportunity,موقع کے لئے پہلا رسپانس منٹ apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,کل غائب -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,پیمائش کی اکائی DocType: Fiscal Year,Year End Date,سال کے آخر تاریخ DocType: Task Depends On,Task Depends On,کام پر انحصار کرتا ہے @@ -2378,7 +2383,7 @@ The tax rate you define here will be the standard tax rate for all **Items**. If DocType: Homepage,Homepage,مرکزی صفحہ DocType: Purchase Receipt Item,Recd Quantity,Recd مقدار DocType: Asset Category Account,Asset Category Account,ایسیٹ زمرہ اکاؤنٹ -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +106,Cannot produce more Item {0} than Sales Order quantity {1},سیلز آرڈر کی مقدار سے زیادہ آئٹم {0} پیدا نہیں کر سکتے ہیں {1} +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/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,اگلا رابطے کی طرف سے لیڈ ای میل ایڈریس کے طور پر ایک ہی نہیں ہو سکتا @@ -2476,9 +2481,9 @@ 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 +789,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,ممبران +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,ممبران DocType: Budget,Cost Center,لاگت مرکز apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,واؤچر # DocType: Notification Control,Purchase Order Message,آرڈر پیغام خریدیں @@ -2494,7 +2499,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 +1165,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,اسٹاک ترتیبات @@ -2513,7 +2518,7 @@ DocType: Project,Task Completion,ٹاسک کی تکمیل apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,نہیں اسٹاک میں DocType: Appraisal,HR User,HR صارف DocType: Purchase Invoice,Taxes and Charges Deducted,ٹیکسز اور الزامات کٹوتی -apps/erpnext/erpnext/hooks.py +116,Issues,مسائل +apps/erpnext/erpnext/hooks.py +124,Issues,مسائل apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},سٹیٹس سے ایک ہونا ضروری {0} DocType: Sales Invoice,Debit To,ڈیبٹ DocType: Delivery Note,Required only for sample item.,صرف نمونے شے کے لئے کی ضرورت ہے. @@ -2542,6 +2547,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,علاقہ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,ضرورت دوروں کا کوئی ذکر کریں DocType: Stock Settings,Default Valuation Method,پہلے سے طے شدہ تشخیص کا طریقہ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,فیس DocType: Vehicle Log,Fuel Qty,ایندھن کی مقدار DocType: Production Order Operation,Planned Start Time,منصوبہ بندی کے آغاز کا وقت DocType: Course,Assessment,اسسمنٹ @@ -2551,12 +2557,12 @@ 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 +149,Quotation {0} is cancelled,کوٹیشن {0} منسوخ کر دیا ہے -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,کل بقایا رقم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,کل بقایا رقم DocType: Sales Partner,Targets,اہداف DocType: Price List,Price List Master,قیمت کی فہرست ماسٹر DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,آپ کی مقرر کردہ اور اہداف کی نگرانی کر سکتے ہیں تاکہ تمام سیلز معاملات سے زیادہ ** سیلز افراد ** خلاف ٹیگ کیا جا سکتا. ,S.O. No.,تو نمبر -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},لیڈ سے گاہک بنانے کے براہ مہربانی {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},لیڈ سے گاہک بنانے کے براہ مہربانی {0} DocType: Price List,Applicable for Countries,ممالک کے لئے قابل اطلاق apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,صرف حیثیت کے ساتھ درخواستیں چھوڑ دو 'منظور' اور 'مسترد' جمع کی جا سکتی DocType: Homepage,Products to be shown on website homepage,مصنوعات کی ویب سائٹ کے ہوم پیج پر دکھایا جائے گا @@ -2592,6 +2598,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/config/hr.py +163,Define various loan types,مختلف قرض کی اقسام کی وضاحت کریں DocType: Bin,FCFS Rate,FCFS شرح DocType: Payment Reconciliation Invoice,Outstanding Amount,بقایا رقم @@ -2634,8 +2641,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,تیاری کے لئے م 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.,ڈسکاؤنٹ فی صد قیمت کی فہرست کے خلاف یا تمام قیمت کی فہرست کے لئے یا تو لاگو کیا جا سکتا. DocType: Purchase Invoice,Half-yearly,چھماہی apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,آپ نے پہلے ہی تشخیص کے معیار کے تعین کی ہے {}. DocType: Vehicle Service,Engine Oil,انجن کا تیل -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,براہ مہربانی سیٹ اپ ملازم انسانی وسائل میں سسٹم کا نام دینے> HR ترتیبات 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,گاہک پتہ @@ -2663,7 +2670,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,تنظیم سے تعلق رکھنے والے اکاؤنٹس کی ایک علیحدہ چارٹ کے ساتھ قانونی / ماتحت. DocType: Payment Request,Mute Email,گونگا ای میل apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",کھانا، مشروب اور تمباکو -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,کمیشن کی شرح زیادہ سے زیادہ 100 نہیں ہو سکتا DocType: Stock Entry,Subcontract,اپپٹا apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,پہلے {0} درج کریں @@ -2691,7 +2698,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Student کی ماہانہ حاضری شیٹ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ملازم {0} پہلے ہی درخواست کی ہے {1} کے درمیان {2} اور {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,اس منصوبے کے آغاز کی تاریخ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,جب تک +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,جب تک DocType: Rename Tool,Rename Log,لاگ ان کا نام تبدیل کریں apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,طالب علم گروپ یا کورس شیڈول لازمی ہے apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,طالب علم گروپ یا کورس شیڈول لازمی ہے @@ -2716,7 +2723,7 @@ DocType: Purchase Order Item,Returned Qty,واپس مقدار DocType: Employee,Exit,سے باہر نکلیں apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,جڑ کی قسم لازمی ہے DocType: BOM,Total Cost(Company Currency),کل لاگت (کمپنی کرنسی) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} پیدا سیریل نمبر +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,{0} پیدا سیریل نمبر DocType: Homepage,Company Description for website homepage,ویب سائٹ کے ہوم پیج کے لئے کمپنی کی تفصیل DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",گاہکوں کی سہولت کے لئے، یہ کوڈ انوائس اور ترسیل نوٹوں کی طرح پرنٹ کی شکل میں استعمال کیا جا سکتا apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier نام @@ -2735,7 +2742,7 @@ DocType: SMS Settings,SMS Gateway URL,SMS گیٹ وے یو آر ایل apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,کورس شیڈول خارج کر دیا: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,ایس ایم ایس کی ترسیل کی حیثیت برقرار رکھنے کے لئے نوشتہ جات DocType: Accounts Settings,Make Payment via Journal Entry,جرنل اندراج کے ذریعے ادائیگی -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,طباعت پر +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,طباعت پر DocType: Item,Inspection Required before Delivery,انسپکشن ڈیلیوری سے پہلے کی ضرورت DocType: Item,Inspection Required before Purchase,انسپکشن خریداری سے پہلے کی ضرورت apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,زیر سرگرمیاں @@ -2767,9 +2774,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student ک apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,حد apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,اس 'تعلیمی سال' کے ساتھ ایک تعلیمی اصطلاح {0} اور 'کی اصطلاح کا نام' {1} پہلے سے موجود ہے. ان اندراجات پر نظر ثانی کریں اور دوبارہ کوشش کریں براہ مہربانی. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",شے {0} خلاف موجودہ ٹرانزیکشنز ہیں کے طور پر، آپ کی قدر کو تبدیل نہیں کر سکتے {1} +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}",شے {0} خلاف موجودہ ٹرانزیکشنز ہیں کے طور پر، آپ کی قدر کو تبدیل نہیں کر سکتے {1} DocType: UOM,Must be Whole Number,پورے نمبر ہونا لازمی ہے DocType: Leave Control Panel,New Leaves Allocated (In Days),(دنوں میں) مختص نئے پتے +DocType: Sales Invoice,Invoice Copy,انوائس کاپی apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,سیریل نمبر {0} موجود نہیں ہے DocType: Sales Invoice Item,Customer Warehouse (Optional),کسٹمر گودام (اختیاری) DocType: Pricing Rule,Discount Percentage,ڈسکاؤنٹ فی صد @@ -2814,8 +2822,10 @@ 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 +305,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,جمع ہراس اکاؤنٹ DocType: Stock Settings,Freeze Stock Entries,جھروکے اسٹاک میں لکھے +DocType: Program Enrollment,Boarding Student,بورڈنگ طالب علم DocType: Asset,Expected Value After Useful Life,مفید زندگی کے بعد کی متوقع قدر DocType: Item,Reorder level based on Warehouse,گودام کی بنیاد پر ترتیب کی سطح کو منتخب DocType: Activity Cost,Billing Rate,بلنگ کی شرح @@ -2846,7 +2856,7 @@ DocType: Lead,Market Segment,مارکیٹ کے علاقے DocType: Employee Internal Work History,Employee Internal Work History,ملازم اندرونی کام تاریخ apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),بند (ڈاکٹر) DocType: Cheque Print Template,Cheque Size,چیک سائز -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,نہیں اسٹاک میں سیریل نمبر {0} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,نہیں اسٹاک میں سیریل نمبر {0} apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,لین دین کی فروخت کے لئے ٹیکس سانچے. DocType: Sales Invoice,Write Off Outstanding Amount,بقایا رقم لکھنے apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},اکاؤنٹ {0} کمپنی کے ساتھ میل نہیں کھاتا {1} @@ -2870,7 +2880,7 @@ 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 +348,Add a few sample records,چند ایک نمونہ کے ریکارڈ میں شامل +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,مکمل طور پر ہونے والا @@ -2882,7 +2892,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','تاریخ سے' کے بعد 'تاریخ کے لئے' ہونا ضروری ہے DocType: Asset,Fully Depreciated,مکمل طور پر فرسودگی ,Stock Projected Qty,اسٹاک مقدار متوقع -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,گاہک کی خریداری کے آرڈر @@ -2891,7 +2901,7 @@ DocType: Warranty Claim,From Company,کمپنی کی طرف سے 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 +270,Minute,منٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,منٹ DocType: Purchase Invoice,Purchase Taxes and Charges,ٹیکس اور الزامات کی خریداری ,Qty to Receive,وصول کرنے کی مقدار DocType: Leave Block List,Leave Block List Allowed,بلاک فہرست اجازت چھوڑ دو @@ -2911,7 +2921,7 @@ DocType: Production Order,PRO-,بند کریں apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,بینک وورڈرافٹ اکاؤنٹ apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,تنخواہ پرچی بنائیں apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,صف # {0}: مختص رقم بقایا رقم سے زیادہ نہیں ہو سکتا. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,براؤز BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,براؤز BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,محفوظ قرضوں DocType: Purchase Invoice,Edit Posting Date and Time,ترمیم پوسٹنگ کی تاریخ اور وقت apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},میں اثاثہ زمرہ {0} یا کمپنی ہراس متعلقہ اکاؤنٹس مقرر مہربانی {1} @@ -2926,7 +2936,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 +278,Select Quantity,منتخب مقدار +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,اس ای میل ڈائجسٹ سے رکنیت ختم @@ -2949,6 +2959,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},نہیں کے مقابلے میں بڑی عمر کے اسٹاک لین دین کو اپ ڈیٹ کرنے کی اجازت دی {0} DocType: Purchase Invoice Item,PR Detail,پی آر تفصیل DocType: Sales Order,Fully Billed,مکمل طور پر بل +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,سپلائر> سپلائر کی قسم 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 +127,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),پیکج کی مجموعی وزن. عام طور پر نیٹ وزن پیکیجنگ مواد وزن. (پرنٹ کے لئے) @@ -2986,8 +2997,9 @@ 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} پیش نہیں کی خریداری DocType: Customs Tariff Number,Tariff Number,ٹیرف نمبر +DocType: Production Order Item,Available Qty at WIP Warehouse,WIP گودام پر دستیاب قی apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,متوقع -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},سیریل نمبر {0} گودام سے تعلق نہیں ہے {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},سیریل نمبر {0} گودام سے تعلق نہیں ہے {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,نوٹ: {0} مقدار یا رقم 0 ہے کے طور پر کی ترسیل اور زیادہ بکنگ شے کے لئے نظام کی جانچ پڑتال نہیں کرے گا DocType: Notification Control,Quotation Message,کوٹیشن پیغام DocType: Employee Loan,Employee Loan Application,ملازم کے قرض کی درخواست @@ -3004,13 +3016,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,لینڈڈ لاگت واؤچر رقم apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,سپلائر کی طرف سے اٹھائے بل. DocType: POS Profile,Write Off Account,اکاؤنٹ لکھنے -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ڈیبٹ نوٹ AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,ڈیبٹ نوٹ AMT apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ڈسکاؤنٹ رقم 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 +207,e.g. VAT,مثال کے طور پر ٹی (VAT) +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,ذیلی سمجھوتہ @@ -3018,7 +3030,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 +1945,Please select customer,کسٹمر براہ مہربانی منتخب کریں +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,کسٹمر براہ مہربانی منتخب کریں DocType: C-Form,I,میں DocType: Company,Asset Depreciation Cost Center,اثاثہ ہراس لاگت سینٹر DocType: Sales Order Item,Sales Order Date,سیلز آرڈر کی تاریخ @@ -3047,7 +3059,7 @@ DocType: Lead,Address Desc,DESC ایڈریس apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,پارٹی لازمی ہے DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,موضوع کا نام -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,فروخت یا خرید کی کم سے کم ایک منتخب ہونا ضروری ہے +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,فروخت یا خرید کی کم سے کم ایک منتخب ہونا ضروری ہے apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,آپ کے کاروبار کی نوعیت کو منتخب کریں. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},صف # {0}: حوالہ جات میں داخلے نقل {1} {2} apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,مینوفیکچرنگ آپریشنز کہاں کئے جاتے ہیں. @@ -3056,7 +3068,7 @@ 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} DocType: Employee,Confirmation Date,توثیق تاریخ DocType: C-Form,Total Invoiced Amount,کل انوائس کی رقم -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,کم از کم مقدار زیادہ سے زیادہ مقدار سے زیادہ نہیں ہو سکتا +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,کم از کم مقدار زیادہ سے زیادہ مقدار سے زیادہ نہیں ہو سکتا DocType: Account,Accumulated Depreciation,جمع ہراس DocType: Stock Entry,Customer or Supplier Details,مستقل خریدار یا سپلائر تفصیلات DocType: Employee Loan Application,Required by Date,تاریخ کی طرف سے کی ضرورت @@ -3084,10 +3096,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,آرڈر آئ apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,کمپنی کا نام نہیں ہو سکتا apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,پرنٹ کے سانچوں کے لئے خط سر. apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,پرنٹ کے سانچوں کے لئے عنوانات پروفارما انوائس مثلا. +DocType: Program Enrollment,Walking,چلنے کے سہارے DocType: Student Guardian,Student Guardian,طالب علم گارڈین apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,تشخیص قسم کے الزامات شامل کے طور پر نشان نہیں کر سکتے ہیں DocType: POS Profile,Update Stock,اپ ڈیٹ اسٹاک -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,سپلائر> سپلائر کی قسم apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,اشیاء کے لئے مختلف UOM غلط (کل) نیٹ وزن کی قیمت کی قیادت کریں گے. ہر شے کے نیٹ وزن اسی UOM میں ہے اس بات کو یقینی بنائیں. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM کی شرح DocType: Asset,Journal Entry for Scrap,سکریپ کے لئے جرنل اندراج @@ -3140,7 +3152,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,دکھائیں ٹیکس بریک اپ apps/erpnext/erpnext/accounts/party.py +308,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,کوئی طالب علم نہیں ملا @@ -3160,14 +3171,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,کوئی طلبا میں +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 +108,Please enter 'Expected Delivery Date','متوقع تاریخ کی ترسیل' درج کریں apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,غلط GSTIN یا غیر رجسٹرڈ لئے NA درج +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,غلط GSTIN یا غیر رجسٹرڈ لئے NA درج DocType: Training Event,Seminar,سیمینار DocType: Program Enrollment Fee,Program Enrollment Fee,پروگرام کے اندراج کی فیس DocType: Item,Supplier Items,پردایک اشیا @@ -3196,21 +3207,23 @@ DocType: Sales Team,Contribution (%),شراکت (٪) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,نوٹ: ادائیگی کے اندراج کے بعد پیدا ہو گا 'نقد یا بینک اکاؤنٹ' وضاحت نہیں کی گئی apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ذمہ داریاں DocType: Expense Claim Account,Expense Claim Account,اخراجات دعوی اکاؤنٹ +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} سیٹ اپ> ترتیبات کے ذریعے> نام دینے سیریز کیلئے نام دینے سیریز مقرر مہربانی 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,صارفین شامل کریں 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 سے زیادہ نہیں ہو سکتا. DocType: Stock Reconciliation Item,Before reconciliation,مفاہمت پہلے apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},کرنے کے لئے {0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ٹیکس اور الزامات شامل کر دیا گیا (کمپنی کرنسی) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,آئٹم ٹیکس صف {0} قسم ٹیکس یا آمدنی یا اخراجات یا ادائیگی کے اکاؤنٹ ہونا لازمی ہے +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,آئٹم ٹیکس صف {0} قسم ٹیکس یا آمدنی یا اخراجات یا ادائیگی کے اکاؤنٹ ہونا لازمی ہے DocType: Sales Order,Partly Billed,جزوی طور پر بل apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,آئٹم {0} ایک فکسڈ اثاثہ آئٹم ہونا ضروری ہے DocType: Item,Default BOM,پہلے سے طے شدہ BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ڈیبٹ نوٹ رقم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,ڈیبٹ نوٹ رقم apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,دوبارہ ٹائپ کمپنی کا نام کی توثیق کے لئے براہ کرم -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,کل بقایا AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,کل بقایا AMT DocType: Journal Entry,Printing Settings,پرنٹنگ ترتیبات DocType: Sales Invoice,Include Payment (POS),ادائیگی شامل کریں (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},کل ڈیبٹ کل کریڈٹ کے برابر ہونا چاہیے. فرق ہے {0} @@ -3218,20 +3231,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,آٹوم DocType: Vehicle,Insurance Company,انشورنس کمپنی DocType: Asset Category Account,Fixed Asset Account,فکسڈ اثاثہ اکاؤنٹ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,رکن کی -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,ترسیل کے نوٹ سے +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,ترسیل کے نوٹ سے DocType: Student,Student Email Address,طالب علم کا ای میل ایڈریس DocType: Timesheet Detail,From Time,وقت سے apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,اسٹاک میں: DocType: Notification Control,Custom Message,اپنی مرضی کے پیغام apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,سرمایہ کاری بینکنگ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,نقد یا بینک اکاؤنٹ کی ادائیگی کے اندراج بنانے کے لئے لازمی ہے -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> سیٹ اپ کے ذریعے حاضری کے لئے سیریز کی تعداد مہربانی نمبر سیریز apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,طالب علم ایڈریس apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,طالب علم ایڈریس 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 +1517,Address Name,ایڈریس نام +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,ایڈریس نام DocType: Stock Entry,From BOM,BOM سے DocType: Assessment Code,Assessment Code,تشخیص کے کوڈ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,بنیادی @@ -3248,7 +3260,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا. +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/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,ماہانہ واپسی کی رقم قرض کی رقم سے زیادہ نہیں ہو سکتا @@ -3256,7 +3268,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,درج قدر مثبت ہونا چاہئے +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,طالب علم پہلے سے ہی مندرج ہے. @@ -3265,7 +3277,7 @@ DocType: Process Payroll,Process Payroll,عمل کی تنخواہ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,کام کے دنوں کے مقابلے میں زیادہ کی تعطیلات اس ماہ ہیں. DocType: Product Bundle Item,Product Bundle Item,پروڈکٹ بنڈل آئٹم DocType: Sales Partner,Sales Partner Name,سیلز پارٹنر نام -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,کوٹیشن کے لئے درخواست +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,کوٹیشن کے لئے درخواست DocType: Payment Reconciliation,Maximum Invoice Amount,زیادہ سے زیادہ انوائس کی رقم DocType: Student Language,Student Language,Student کی زبان apps/erpnext/erpnext/config/selling.py +23,Customers,گاہکوں @@ -3276,7 +3288,7 @@ DocType: Asset,Partially Depreciated,جزوی طور پر فرسودگی DocType: Issue,Opening Time,افتتاحی وقت apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,سے اور مطلوبہ تاریخوں کے لئے apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,سیکورٹیز اینڈ ایکسچینج کماڈٹی -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',مختلف کے لئے پیمائش کی پہلے سے طے شدہ یونٹ '{0}' سانچے میں کے طور پر ایک ہی ہونا چاہیے '{1} +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 +847,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے @@ -3295,7 +3307,7 @@ 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 +266,Raw Material,خام مال +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم @@ -3307,7 +3319,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,تاریخ افتتاحی تاریخ بند کرنے سے پہلے ہونا چاہئے -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} سیٹ اپ> ترتیبات کے ذریعے> نام دینے سیریز کیلئے نام دینے سیریز مقرر مہربانی 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.,دن جس کے لئے چھٹیاں اس سیکشن کے لئے بلاک کر رہے ہیں. @@ -3320,8 +3331,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',زمرہ 'تشخیص' یا 'تشخیص اور کل' کے لئے ہے جب کٹوتی نہیں کر سکتے ہیں -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},serialized کی شے کے لئے سیریل نمبر مطلوب {0} +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/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,انوائس کے ساتھ ملائیں ادائیگیاں DocType: Journal Entry,Bank Entry,بینک انٹری DocType: Authorization Rule,Applicable To (Designation),لاگو (عہدہ) @@ -3338,7 +3349,7 @@ 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 +270,Hour,قیامت +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,آپ کو بلاک تاریخوں پر پتے کو منظور کرنے کی اجازت نہیں ہے @@ -3348,7 +3359,7 @@ 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 +645,Point of Sale,فروخت پوائنٹ +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,فروخت پوائنٹ DocType: Payment Entry,Received Amount,موصولہ رقم DocType: GST Settings,GSTIN Email Sent On,GSTIN ای میل پر ارسال کردہ DocType: Program Enrollment,Pick/Drop by Guardian,/ سرپرست کی طرف سے ڈراپ چنیں @@ -3365,8 +3376,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 +270,Gram,گرام -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے. +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/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٪ ہے. @@ -3390,14 +3401,14 @@ DocType: Customer Group,Customer Group Name,گاہک گروپ کا نام 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/report/vehicle_expenses/vehicle_expenses.py +22,License,لائسنس -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,ایک سے زیادہ ملازمین کے لئے نشان حاضری @@ -3428,7 +3439,7 @@ 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 +436,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0} DocType: Leave Allocation,Unused leaves,غیر استعمال شدہ پتے apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,کروڑ DocType: Tax Rule,Billing State,بلنگ ریاست @@ -3475,7 +3486,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},غلط وصف {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','تمام تعین گروپ' کے علاوہ کسی اور کا تعین گروپ براہ مہربانی منتخب کریں @@ -3575,16 +3586,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,تنخواہ کے اج DocType: Program Enrollment Tool,New Academic Year,نئے تعلیمی سال apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,واپسی / کریڈٹ نوٹ DocType: Stock Settings,Auto insert Price List rate if missing,آٹو ڈالیں قیمت کی فہرست شرح لاپتہ ہے -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,کل ادا کی گئی رقم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,کل ادا کی گئی رقم DocType: Production Order Item,Transferred Qty,منتقل مقدار apps/erpnext/erpnext/config/learn.py +11,Navigating,گشت 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 +272,We sell this Item,ہم اس شے کے فروخت +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,نمونہ ڈیٹا 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,آدھا دن تاریخ @@ -3632,7 +3645,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 +1186,Please set Company,کمپنی قائم کی مہربانی +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,کمپنی قائم کی مہربانی DocType: Pricing Rule,Buying,خرید DocType: HR Settings,Employee Records to be created by,ملازم کے ریکارڈ کی طرف سے پیدا کیا جا کرنے کے لئے DocType: POS Profile,Apply Discount On,رعایت پر لاگو کریں @@ -3649,13 +3662,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,فیس جمع DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},بارکوڈ {0} پہلے ہی آئٹم میں استعمال {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},بارکوڈ {0} پہلے ہی آئٹم میں استعمال {1} DocType: Lead,Add to calendar on this date,اس تاریخ پر کیلنڈر میں شامل کریں apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,شپنگ کے اخراجات شامل کرنے کے لئے رولز. DocType: Item,Opening Stock,اسٹاک کھولنے apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,کسٹمر کی ضرورت ہے apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} واپسی کے لئے لازمی ہے DocType: Purchase Order,To Receive,وصول کرنے کے لئے +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,ذاتی ای میل apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,کل تغیر DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",فعال ہے تو، نظام خود کار طریقے کی انوینٹری کے لئے اکاؤنٹنگ اندراجات پوسٹ کریں گے. @@ -3666,7 +3680,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 +541,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,سٹینڈرڈ فروخت @@ -3674,7 +3688,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,وارنٹی سے باہر DocType: BOM Replace Tool,Replace,بدل دیں apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,نہیں کی مصنوعات مل گیا. -DocType: Production Order,Unstopped,کھولے apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} فروخت انوائس کے خلاف {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,پراجیکٹ کا نام @@ -3719,9 +3732,9 @@ DocType: Account,Expense,اخراجات apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34,Score cannot be greater than Maximum Score,اسکور کے مقابلے میں زیادہ سے زیادہ سکور زیادہ نہیں ہو سکتی DocType: Item Attribute,From Range,رینج سے DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,روز مرہ کے کام کا خلاصہ ترتیبات کمپنی -apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,اس کے بعد سے نظر انداز کر دیا آئٹم {0} اسٹاک شے نہیں ہے +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 +40,Submit this Production Order for further processing.,مزید کارروائی کے لئے اس کی پیداوار آرڈر جمع کرائیں. +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,نوکریاں @@ -3729,12 +3742,14 @@ 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 +209,Rate (%),شرح (٪) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",اپنے آپ کے علاوہ، آپ کی تنظیم کے صارفین کو شامل کریں +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',اگر گروپ سے 'کمپنی' ہے کمپنی فلٹر کو خالی مقرر مہربانی apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,پوسٹنگ کی تاریخ مستقبل کی تاریخ میں نہیں ہو سکتا apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},صف # {0}: سیریل نمبر {1} کے ساتھ مطابقت نہیں ہے {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,آرام دہ اور پرسکون کی رخصت @@ -3763,7 +3778,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,اسٹاک لیجر انٹری apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. کالم خالی ہونا ضروری ہے +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. کالم خالی ہونا ضروری ہے DocType: Accounts Settings,Accounts Settings,ترتیبات اکاؤنٹس apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,منظور کریں DocType: Customer,Sales Partner and Commission,سیلز پارٹنر اور کمیشن @@ -3777,7 +3792,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 +62,{0} items produced,{0} سے تیار اشیاء +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{0} items produced,{0} سے تیار اشیاء DocType: Cheque Print Template,Distance from top edge,اوپر کے کنارے سے فاصلہ DocType: Purchase Invoice,Return,واپس DocType: Production Order Operation,Production Order Operation,پروڈکشن آرڈر آپریشن @@ -3789,7 +3804,7 @@ 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 +559,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,بیڑے کے انتظام @@ -3814,18 +3829,18 @@ 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 +705,Online,آن لائن +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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} آئٹم غیر فعال ہوگئی ہے DocType: Employee Loan,Repay Fixed Amount per Period,فی وقفہ مقررہ رقم ادا apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},شے کے لئے مقدار درج کریں {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,کریڈٹ نوٹ AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,کریڈٹ نوٹ AMT DocType: Employee External Work History,Employee External Work History,ملازم بیرونی کام کی تاریخ DocType: Tax Rule,Purchase,خریداری apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,بیلنس مقدار @@ -3851,7 +3866,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 +2383,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں DocType: Employee,Encashment Date,معاوضہ تاریخ DocType: Training Event,Internet,انٹرنیٹ DocType: Account,Stock Adjustment,اسٹاک ایڈجسٹمنٹ @@ -3881,6 +3896,7 @@ DocType: Guardian,Guardian Of ,کے ولی DocType: Grading Scale Interval,Threshold,تھریشولڈ DocType: BOM Replace Tool,Current BOM,موجودہ BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,سیریل نمبر شامل +DocType: Production Order Item,Available Qty at Source Warehouse,ماخذ گودام پر دستیاب قی apps/erpnext/erpnext/config/support.py +22,Warranty,وارنٹی DocType: Purchase Invoice,Debit Note Issued,ڈیبٹ نوٹ اجراء DocType: Production Order,Warehouses,گوداموں @@ -3896,13 +3912,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,رقم ادا apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,پروجیکٹ مینیجر ,Quoted Item Comparison,نقل آئٹم موازنہ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ڈسپیچ -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,شے کے لئے کی اجازت زیادہ سے زیادہ ڈسکاؤنٹ: {0} {1}٪ ہے +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 +279,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 +879,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے DocType: Item,Material Issue,مواد مسئلہ DocType: Hub Settings,Seller Description,فروش تفصیل DocType: Employee Education,Qualification,اہلیت @@ -3925,7 +3941,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 +200,Cannot cancel because submitted Stock Entry {0} exists,پیش اسٹاک انٹری {0} موجود ہے کیونکہ منسوخ نہیں کر سکتے +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,پیش اسٹاک انٹری {0} موجود ہے کیونکہ منسوخ نہیں کر سکتے DocType: Employee Loan,Disbursement Date,ادائیگی کی تاریخ DocType: Vehicle,Vehicle,وہیکل DocType: Purchase Invoice,In Words,الفاظ میں @@ -3946,7 +3962,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",، پہلے سے طے شدہ طور پر اس مالی سال مقرر کرنے کیلئے 'پہلے سے طے شدہ طور پر مقرر کریں' پر کلک کریں apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,شامل ہوں apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,کمی کی مقدار -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود DocType: Employee Loan,Repay from Salary,تنخواہ سے ادا DocType: Leave Application,LAP/,LAP / DocType: Salary Slip,Salary Slip,تنخواہ پرچی @@ -3963,18 +3979,18 @@ 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 +1011,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے. +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,سیریل نمبر {0} پہلے سے حاصل کیا گیا ہے +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: Expense Claim,Vehicle Log,گاڑیوں کے تبا DocType: Purchase Invoice,Recurring Id,مکرر شناخت DocType: Customer,Sales Team Details,سیلز ٹیم تفصیلات -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,مستقل طور پر خارج کر دیں؟ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},غلط {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},غلط {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,بیماری کی چھٹی DocType: Email Digest,Email Digest,ای میل ڈائجسٹ DocType: Delivery Note,Billing Address Name,بلنگ ایڈریس کا نام @@ -3987,6 +4003,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,ادائیگی DocType: Company,Change Abbreviation,پیج مخفف DocType: Expense Claim Detail,Expense Date,اخراجات تاریخ +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ DocType: Item,Max Discount (%),زیادہ سے زیادہ ڈسکاؤنٹ (٪) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,آخری آرڈر رقم DocType: Task,Is Milestone,سنگ میل ہے @@ -4010,8 +4027,8 @@ DocType: Program Enrollment Tool,New Program,نیا پروگرام DocType: Item Attribute Value,Attribute Value,ویلیو وصف ,Itemwise Recommended Reorder Level,Itemwise ترتیب لیول سفارش DocType: Salary Detail,Salary Detail,تنخواہ تفصیل -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,پہلے {0} براہ مہربانی منتخب کریں -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,آئٹم کے بیچ {0} {1} ختم ہو گیا ہے. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,پہلے {0} براہ مہربانی منتخب کریں +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,آئٹم کے بیچ {0} {1} ختم ہو گیا ہے. DocType: Sales Invoice,Commission,کمیشن apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,مینوفیکچرنگ کے لئے وقت شیٹ. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ذیلی کل @@ -4036,12 +4053,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 +399,Operation Time must be greater than 0 for Operation {0},آپریشن کے وقت کے آپریشن کے لئے زیادہ سے زیادہ 0 ہونا ضروری ہے {0} +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/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 +387,Production Order cannot be raised against a Item Template,پروڈکشن آرڈر شے سانچہ خلاف اٹھایا نہیں کیا جا سکتا +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,شروع کرنے کی تاریخ @@ -4070,7 +4087,7 @@ DocType: Purchase Invoice,Submit on creation,تخلیق پر جمع کرائیں DocType: Asset,Disposal Date,ڈسپوزل تاریخ DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ای میلز، دی وقت کمپنی کے تمام فعال ملازمین کو بھیجی جائے گی وہ چھٹی نہیں ہے تو. جوابات کا خلاصہ آدھی رات کو بھیجا جائے گا. DocType: Employee Leave Approver,Employee Leave Approver,ملازم کی رخصت کی منظوری دینے والا -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",کوٹیشن بنا دیا گیا ہے کیونکہ، کے طور پر کھو نہیں بتا سکتے. 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} پیش کرنا ضروری ہے پیداوار @@ -4101,6 +4118,7 @@ DocType: Announcement,Student,طالب علم apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,تنظیمی اکائی (محکمہ) ماسٹر. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,درست موبائل نمبر درج کریں apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,بھیجنے سے پہلے پیغام درج کریں +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,سپلائر کے لئے نقل DocType: Email Digest,Pending Quotations,کوٹیشن زیر التوا apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,پوائنٹ کے فروخت پروفائل apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS کی ترتیبات کو اپ ڈیٹ کریں @@ -4109,7 +4127,7 @@ DocType: Cost Center,Cost Center Name,لاگت مرکز نام DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,میکس Timesheet خلاف کام کے گھنٹوں DocType: Maintenance Schedule Detail,Scheduled Date,تخسوچت تاریخ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,کل ادا AMT +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,کل ادا AMT DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 حروف سے زیادہ پیغامات سے زیادہ پیغامات میں تقسیم کیا جائے گا DocType: Purchase Receipt Item,Received and Accepted,موصول ہوئی ہے اور قبول کر لیا ,GST Itemised Sales Register,GST آئٹمائزڈ سیلز رجسٹر @@ -4119,7 +4137,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 +237,Your Suppliers,اپنے سپلائرز +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',زمرہ 'تشخیص' یا 'Vaulation اور کل' کے لیے ہے جب کٹوتی نہیں کی جا سکتی @@ -4130,7 +4148,7 @@ 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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ویب سائٹ تصویری {0} آئٹم {1} سے منسلک نہیں مل سکتا +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.,ویب سائٹ پر ایک سے زیادہ گروہوں میں اس شے کی فہرست. @@ -4145,7 +4163,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,یہ کیا apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,گودام میں apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,تمام طالب علم داخلہ ,Average Commission Rate,اوسط کمیشن کی شرح -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'ہاں' ہونا غیر اسٹاک شے کے لئے نہیں کر سکتے ہیں 'سیریل نہیں ہے' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'ہاں' ہونا غیر اسٹاک شے کے لئے نہیں کر سکتے ہیں 'سیریل نہیں ہے' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,حاضری مستقبل کی تاریخوں کے لئے نشان لگا دیا گیا نہیں کیا جا سکتا DocType: Pricing Rule,Pricing Rule Help,قیمتوں کا تعین حکمرانی کی مدد DocType: School House,House Name,ایوان نام @@ -4161,7 +4179,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 +339,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,انشورنس تاریخ آغاز انشورنس تاریخ اختتام سے کم ہونا چاہئے @@ -4176,20 +4194,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ملازم کی تنخواہ کی پرچی {0} کے پاس پہلے وقت شیٹ کے لئے پیدا {1} DocType: Vehicle Log,Odometer,مسافت پیما DocType: Sales Order Item,Ordered Qty,کا حکم دیا مقدار -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,آئٹم {0} غیر فعال ہے +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 +874,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 تفصیلات apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,تنخواہ تخم پیدا -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو خریدنے، جانچ پڑتال ہونا ضروری {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو خریدنے، جانچ پڑتال ہونا ضروری {0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ڈسکاؤنٹ کم 100 ہونا ضروری ہے 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 +500,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,پروگرام کا اندراج DocType: Landed Cost Voucher,Landed Cost Voucher,لینڈڈ لاگت واؤچر @@ -4250,7 +4268,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,متوقع تاریخ مواد کی درخواست کی تاریخ سے پہلے نہیں ہو سکتا DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی -DocType: Production Order,Source Warehouse (for reserving Items),ماخذ گودام (اشیا بکنگ کے لئے) DocType: Employee Loan,Repayment Period in Months,مہینے میں واپسی کی مدت apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,خرابی: ایک درست شناختی نمبر؟ DocType: Naming Series,Update Series Number,اپ ڈیٹ سلسلہ نمبر @@ -4297,7 +4314,7 @@ DocType: Request for Quotation Supplier,Download PDF,لوڈ PDF DocType: Production Order,Planned End Date,منصوبہ بندی اختتام تاریخ apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,اشیاء کہاں محفوظ کیا جاتا ہے. DocType: Request for Quotation,Supplier Detail,پردایک تفصیل -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,انوائس کی رقم +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,انوائس کی رقم DocType: Attendance,Attendance,حاضری apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,اسٹاک اشیا DocType: BOM,Materials,مواد @@ -4337,10 +4354,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,سیٹ اپ میری تنظیم کے لئے ایک سادہ ویب سائٹ +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0} DocType: Item,Default Warehouse,پہلے سے طے شدہ گودام apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},بجٹ گروپ کے اکاؤنٹ کے خلاف مقرر نہیں کیا جا سکتا {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,والدین لاگت مرکز درج کریں @@ -4401,7 +4418,7 @@ 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 +1344,Select or add new customer,منتخب یا نئے گاہک شامل +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/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,یہ اس ملازم کی حاضری پر مبنی ہے @@ -4409,6 +4426,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,سال شروع کرنے کی تاریخ DocType: Attendance,Employee Name,ملازم کا نام DocType: Sales Invoice,Rounded Total (Company Currency),مدور کل (کمپنی کرنسی) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,براہ مہربانی سیٹ اپ ملازم انسانی وسائل میں سسٹم کا نام دینے> HR ترتیبات 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} نظر ثانی کی گئی ہے. ریفریش کریں. DocType: Leave Block List,Stop users from making Leave Applications on following days.,مندرجہ ذیل دنوں میں رخصت کی درخواستیں کرنے سے صارفین کو روکنے کے. @@ -4429,7 +4447,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,3 پڑھنا ,Hub,حب DocType: GL Entry,Voucher Type,واؤچر کی قسم -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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} مقرر کیا جانا چاہئے پر فارغ ملازم 'بائیں' کے طور پر @@ -4449,7 +4467,7 @@ DocType: POS Profile,Account for Change Amount,رقم تبدیلی کے لئے apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},صف {0}: پارٹی / اکاؤنٹ کے ساتھ میل نہیں کھاتا {1} / {2} میں {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ایکسپینس اکاؤنٹ درج کریں DocType: Account,Stock,اسٹاک -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے DocType: Employee,Current Address,موجودہ پتہ DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",واضح طور پر مخصوص جب تک شے تو وضاحت، تصویر، قیمتوں کا تعین، ٹیکس سانچے سے مقرر کیا جائے گا وغیرہ کسی اور شے کی ایک مختلف ہے تو DocType: Serial No,Purchase / Manufacture Details,خریداری / تیاری تفصیلات @@ -4487,10 +4505,11 @@ DocType: Student,Home Address,گھر کا پتہ apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,منتقلی ایسیٹ DocType: POS Profile,POS Profile,پی او ایس پروفائل DocType: Training Event,Event Name,واقعہ کا نام -apps/erpnext/erpnext/config/schools.py +39,Admission,داخلہ +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,داخلہ apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",{0} آئٹم ایک ٹیمپلیٹ ہے، اس کی مختلف حالتوں میں سے ایک کو منتخب کریں DocType: Asset,Asset Category,ایسیٹ زمرہ +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,خریدار apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,نیٹ تنخواہ منفی نہیں ہو سکتا DocType: SMS Settings,Static Parameters,جامد پیرامیٹر DocType: Assessment Plan,Room,کمرہ @@ -4499,6 +4518,7 @@ DocType: Item,Item Tax,آئٹم ٹیکس apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,سپلائر مواد apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ایکسائز انوائس apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ ایک بار سے زیادہ ظاہر ہوتا ہے +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ 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,موجودہ قرضوں @@ -4570,6 +4590,7 @@ DocType: Leave Type,Is Carry Forward,فارورڈ لے apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,جمع نہیں تنخواہ تخم ,Stock Summary,اسٹاک کا خلاصہ diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv index f6f9bba8d2..c853921908 100644 --- a/erpnext/translations/vi.csv +++ b/erpnext/translations/vi.csv @@ -7,7 +7,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,S DocType: Item,Customer Items,Mục khách hàng DocType: Project,Costing and Billing,Chi phí và thanh toán apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: tài khoản mẹ {1} không thể là một sổ cái -DocType: Item,Publish Item to hub.erpnext.com,Publish khoản để hub.erpnext.com +DocType: Item,Publish Item to hub.erpnext.com,Xuất bản mẫu hàng tới hub.erpnext.com apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Thông báo email apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Đánh giá DocType: Item,Default Unit of Measure,Đơn vị đo mặc định @@ -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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ngưng tự sản xuất không thể được hủy bỏ, rút nút nó đầu tiên để hủy bỏ" +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" 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 @@ -25,20 +25,20 @@ apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_ DocType: Sales Taxes and Charges Template,* Will be calculated in the transaction.,* Sẽ được tính toán trong giao dịch. DocType: Purchase Order,Customer Contact,Liên hệ Khách hàng DocType: Job Applicant,Job Applicant,Nộp đơn công việc -apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Điều này được dựa trên các giao dịch với nhà cung cấp này. Xem thời gian dưới đây để biết chi tiết +apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Điều này được dựa trên các giao dịch với nhà cung cấp này. Xem dòng thời gian dưới đây để biết chi tiết apps/erpnext/erpnext/hub_node/page/hub/hub_body.html +18,No more results.,Không có thêm kết quả. -apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +34,Legal,pháp lý +apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +34,Legal,Hợp lêk apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +166,Actual type tax cannot be included in Item rate in row {0},Thuế loại hình thực tế không thể được liệt kê trong định mức vật tư ở hàng {0} DocType: Bank Guarantee,Customer,Khách hàng DocType: Purchase Receipt Item,Required By,Yêu cầu bởi -DocType: Delivery Note,Return Against Delivery Note,Return Against Delivery Note +DocType: Delivery Note,Return Against Delivery Note,Trả về đối với giấy báo giao hàng 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} -DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Thủ trưởng (hoặc nhóm) dựa vào đó kế toán Entries được thực hiện và cân bằng được duy trì. -apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Xuất sắc cho {0} không thể nhỏ hơn không ({1}) +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 DocType: Leave Type,Leave Type Name,Loại bỏ Tên apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Hiện mở @@ -72,7 +72,7 @@ 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 +845,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/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 +808,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 @@ -80,16 +80,16 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +54,Expected Del 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) -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Row {0}: {1} {2} không phù hợp với {3} -apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}: -DocType: Timesheet,Total Costing Amount,Tổng số tiền Costing -DocType: Delivery Note,Vehicle No,Không có xe +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Dãy {0}: {1} {2} không phù hợp với {3} +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/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,Làm việc dở dang +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 DocType: Employee,Holiday List,Danh sách kỳ nghỉ -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Kế toán viên +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,Kế toán viên DocType: Cost Center,Stock User,Cổ khoản DocType: Company,Phone No,Số điện thoại apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Lịch khóa học tạo: @@ -101,7 +101,7 @@ DocType: Asset,Value After Depreciation,Giá trị Sau khi khấu hao DocType: Employee,O+,O+ apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,có liên quan apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,ngày tham dự không thể ít hơn ngày tham gia của người lao động -DocType: Grading Scale,Grading Scale Name,Chấm điểm Tên Scale +DocType: Grading Scale,Grading Scale Name,Phân loại khoảng tên apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Đây là một tài khoản gốc và không thể được chỉnh sửa. DocType: Sales Invoice,Company Address,Địa chỉ công ty DocType: BOM,Operations,Tác vụ @@ -110,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} 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 +269,Kg,Kg +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +120,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 +42,Not permitted for {0},Không được phép cho {0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Lấy dữ liệu từ -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,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 +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/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,28 +131,29 @@ 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 +1673,Not items found,Không tìm thấy mặt hàng +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/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 DocType: Account,Credit,Tín dụng -DocType: POS Profile,Write Off Cost Center,Write Off Cost Center +DocType: POS Profile,Write Off Cost Center,Viết tắt trung tâm chi phí apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ví dụ: "Trường Tiểu học" hay "Đại học" apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Báo cáo hàng tồn kho DocType: Warehouse,Warehouse Detail,Chi tiết kho apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Hạn mức tín dụng đã được thông qua cho khách hàng {0} {1} / {2} -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.,Những ngày cuối kỳ không thể muộn hơn so với ngày cuối năm của năm học mà thuật ngữ này được liên kết (Academic Year {}). Xin vui lòng sửa ngày và thử lại. -apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""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" +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.,Những ngày cuối kỳ không thể muộn hơn so với ngày cuối năm 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. +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/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),Mục Hình ảnh (nếu không slideshow) +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 +867,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ỉ trên {0} không phải là giữa Từ ngày và Đến ngày +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' DocType: Student Log,Student Log,sinh viên Đăng nhập DocType: Quality Inspection,Get Specification Details,Thông số kỹ thuật chi tiết được DocType: Lead,Interested,Quan tâm @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Từ {0} đến {1} DocType: Item,Copy From Item Group,Sao chép Từ mục Nhóm DocType: Journal Entry,Opening Entry,Mở nhập -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ổ apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tài khoản Chỉ Thanh toán DocType: Employee Loan,Repay Over Number of Periods,Trả Trong số kỳ DocType: Stock Entry,Additional Costs,Chi phí bổ sung @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,địa ốc -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Tuyên bố của Tài khoản +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 DocType: Purchase Invoice Item,Is Fixed Asset,Là cố định tài sản apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","qty sẵn là {0}, bạn cần {1}" @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,Tiêu hao +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -212,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},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 +143,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 +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. 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 +302,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, thuế hàng {1} cũng phải được bao gồm" +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/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 @@ -236,6 +236,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Hàng hóa và giá cả apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Tổng số giờ: {0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Từ ngày phải được trong năm tài chính. Giả sử Từ ngày = {0} +apps/erpnext/erpnext/hooks.py +87,Quotes,Lời trích dẫn DocType: Customer,Individual,cá nhân DocType: Interest,Academics User,người dùng học thuật DocType: Cheque Print Template,Amount In Figure,Số tiền Trong hình @@ -265,8 +266,8 @@ DocType: Leave Type,Allow Negative Balance,Cho phép cân đối tiêu cực DocType: Employee,Create User,Tạo người dùng DocType: Selling Settings,Default Territory,Địa bàn mặc định apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,Tivi -DocType: Production Order Operation,Updated via 'Time Log',Cập nhật thông qua 'Giờ' -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},số tiền tạm ứng không có thể lớn hơn {0} {1} +DocType: Production Order Operation,Updated via 'Time Log',Cập nhật thông qua 'Thời gian đăng nhập' +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},số tiền tạm ứng không có thể lớn hơn {0} {1} DocType: Naming Series,Series List for this Transaction,Danh sách loạt cho các giao dịch này DocType: Company,Enable Perpetual Inventory,Cấp quyền vĩnh viễn cho kho DocType: Company,Default Payroll Payable Account,Mặc định lương Account Payable @@ -274,21 +275,21 @@ 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 +177,For Warehouse is required before Submit,Kho cho là cần thiết trước khi Submit +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/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 chọn, 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." +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." apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +24,Please enter Company,Vui lòng nhập Công ty 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 +2256,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu" +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,Tên Liên hệ +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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 @@ -296,48 +297,48 @@ DocType: Cheque Print Template,Line spacing for amount in words,Khoảng cách d DocType: Vehicle,Additional Details,Chi tiết bổ sung apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Không có mô tả có sẵn apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Yêu cầu để mua hàng. -apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Điều này được dựa trên Bản thời gian được tạo ra với dự án này +apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Điều này được dựa trên Thời gian biểu được tạo ra với dự án này apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Tiền thực trả không thể ít hơn 0 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Chỉ chọn Để lại phê duyệt có thể gửi ứng dụng Để lại này apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Giảm ngày phải lớn hơn ngày của Tham gia -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lá mỗi năm -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}: Vui lòng kiểm tra 'là Advance chống Account {1} nếu điều này là một entry trước. -apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Kho {0} không thuộc về công ty {1} +apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Các di dời mỗi năm +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 +270,Litre,lít -DocType: Task,Total Costing Amount (via Time Sheet),Tổng số Costing Số tiền (thông qua Time Sheet) +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,Lại bị chặn -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1} +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Đã chặn việc dời đi +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bút toán Ngân hàng apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Hàng năm -DocType: Stock Reconciliation Item,Stock Reconciliation Item,Cổ hòa giải hàng +DocType: Stock Reconciliation Item,Stock Reconciliation Item,Mẫu cổ phiếu hòa giải DocType: Stock Entry,Sales Invoice No,Hóa đơn bán hàng không 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 +316,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 trên trình. +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 +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 DocType: Pricing Rule,Supplier Type,Loại nhà cung cấp DocType: Course Scheduling Tool,Course Start Date,Khóa học Ngày bắt đầu -,Student Batch-Wise Attendance,Sinh viên Batch-khôn ngoan Attendance +,Student Batch-Wise Attendance,Đợt sinh viên - ĐIểm danh thông minh DocType: POS Profile,Allow user to edit Rate,Cho phép người dùng chỉnh sửa Rate -DocType: Item,Publish in Hub,Xuất bản trong Hub +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,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Mục {0} bị hủy bỏ +,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 +882,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 +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} DocType: Employee,Relation,Mối quan hệ DocType: Shipping Rule,Worldwide Shipping,Vận chuyển trên toàn thế giới DocType: Student Guardian,Mother,Mẹ apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Đơn hàng đã được khách xác nhận DocType: Purchase Receipt Item,Rejected Quantity,Số lượng bị từ chối -DocType: SMS Settings,SMS Sender Name,SMS Sender Name +DocType: SMS Settings,SMS Sender Name,tên người gửi tin nhắn DocType: Notification Control,Notification Control,Kiểm soát thông báo DocType: Lead,Suggestions,Đề xuất DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Thiết lập ngân sách Hướng- Nhóm cho địa bàn này. có thể bao gồm cả thiết lập phân bổ các yếu tố thời vụ @@ -353,7 +354,7 @@ DocType: Vehicle Service,Inspection,sự kiểm tra apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Danh sách DocType: Email Digest,New Quotations,Trích dẫn mới DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,trượt email lương cho nhân viên dựa trên email ưa thích lựa chọn trong nhân viên -DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Người phê duyệt Để lại đầu tiên trong danh sách sẽ được thiết lập mặc định Để lại phê duyệt +DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Người phê duyệt di dời đầu tiên trong danh sách sẽ được thiết lập như là người phê duyệt di dời mặc định DocType: Tax Rule,Shipping County,vận Chuyển trong quận apps/erpnext/erpnext/config/desktop.py +158,Learn,Học DocType: Asset,Next Depreciation Date,Kỳ hạn khấu hao tiếp theo @@ -362,13 +363,13 @@ DocType: Accounts Settings,Settings for Accounts,Cài đặt cho tài khoản apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Nhà cung cấp hóa đơn Không tồn tại trong hóa đơn mua hàng {0} apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Quản lý cây người bán hàng DocType: Job Applicant,Cover Letter,Thư xin việc -apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Séc xuất sắc và tiền gửi để xóa +apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Séc đặc biệt và tiền gửi để xóa DocType: Item,Synced With Hub,Đồng bộ hóa Với Hub -DocType: Vehicle,Fleet Manager,Hạm đội quản lý -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} không thể phủ định cho mặt hàng {2} +DocType: Vehicle,Fleet Manager,Người quản lý đội tàu +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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,Trong Variant -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,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: 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' 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 @@ -385,7 +386,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} Đã nhập hai lần vào Thuế vật tư +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0} Đã nhập hai lần vào Thuế vật tư apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Tóm tắt cho tuần này và các hoạt động cấp phát DocType: Student Applicant,Admitted,Thừa nhận DocType: Workstation,Rent Cost,Chi phí thuê @@ -398,8 +399,8 @@ apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +21,O apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +21,Order Value,Giá trị đặt hàng apps/erpnext/erpnext/config/accounts.py +27,Bank/Cash transactions against party or for internal transfer,Ngân hàng / Tiền giao dịch với bên đối tác hoặc chuyển giao nội bộ DocType: Shipping Rule,Valid for Countries,Hợp lệ cho các nước -apps/erpnext/erpnext/stock/doctype/item/item.js +55,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,Mục này là một mẫu và không thể được sử dụng trong các giao dịch. Thuộc tính mẫu hàng sẽ được sao chép vào các biến thể trừ khi'Không Copy' được thiết lập -apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,Tổng số thứ tự coi +apps/erpnext/erpnext/stock/doctype/item/item.js +55,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,Mục này là một mẫu và không thể được sử dụng trong các giao dịch. Thuộc tính mẫu hàng sẽ được sao chép vào các biến thể trừ khi'Không sao chép' được thiết lập +apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,Tổng số đơn hàng được xem xét apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","Chỉ định nhân viên (ví dụ: Giám đốc điều hành, Giám đốc vv.)" 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 @@ -409,7 +410,7 @@ 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 +849,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},Row # {0}: Batch Không phải giống như {1} {2} +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 apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Một lô sản phẩm DocType: C-Form Invoice Detail,Invoice Date,Hóa đơn ngày @@ -419,7 +420,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% đã nhận apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Tạo Sinh viên nhóm apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Đã thiết lập hoàn chỉnh! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Số lượng ghi chú tín dụng +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,Số lượng ghi chú tín dụng ,Finished Goods,Hoàn thành Hàng DocType: Delivery Note,Instructions,Hướng dẫn DocType: Quality Inspection,Inspected By,Kiểm tra bởi @@ -442,25 +443,26 @@ DocType: Currency Exchange,Currency Exchange,Thu đổi ngoại tệ DocType: Asset,Item Name,Tên hàng DocType: Authorization Rule,Approving User (above authorized value),Phê duyệt tài (trên giá trị ủy quyền) DocType: Email Digest,Credit Balance,Balance tín dụng -DocType: Employee,Widowed,Góa chồng +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 +1456,Create a new Customer,Tạo một khách hàng mới +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/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/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/utilities/activation.py +88,Create Purchase Orders,Tạo đơn đặt hàng mua ,Purchase Register,Đăng ký mua DocType: Course Scheduling Tool,Rechedule,sắp xếp lại DocType: Landed Cost Item,Applicable Charges,Phí áp dụng DocType: Workstation,Consumable Cost,Chi phí tiêu hao apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +220,{0} ({1}) must have role 'Leave Approver',"{0} ({1}) phải có vai trò ""Người chấm duyệt nghỉ phép""" -DocType: Purchase Receipt,Vehicle Date,Xe ngày +DocType: Purchase Receipt,Vehicle Date,Ngày của phương tiện DocType: Student Log,Medical,Y khoa apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Lý do mất apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Người sở hữu Lead không thể trùng với Lead apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,số lượng phân bổ có thể không lớn hơn số tiền không điều chỉnh DocType: Announcement,Receiver,Người nhận -apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation được đóng cửa vào các ngày sau đây theo Danh sách khách sạn Holiday: {0} +apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Trạm được đóng cửa vào các ngày sau đây theo Danh sách kỳ nghỉ: {0} apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Cơ hội DocType: Employee,Single,DUy nhất DocType: Salary Slip,Total Loan Repayment,Tổng số trả nợ @@ -472,12 +474,12 @@ 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 +330,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 +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/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 DocType: Account,Is Group,là Nhóm -DocType: Email Digest,Pending Purchase Orders,Trong khi chờ đơn đặt hàng mua +DocType: Email Digest,Pending Purchase Orders,Đơn đặt hàng cấp phát DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Tự động Đặt nối tiếp Nos dựa trên FIFO DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kiểm tra nhà cung cấp hóa đơn Số độc đáo DocType: Vehicle Service,Oil Change,Thay đổi dầu @@ -493,7 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d 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 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Thuộc tính Bảng +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Thuộc tính Bảng DocType: HR Settings,Employee record is created using selected field. , DocType: Sales Order,Not Applicable,Không áp dụng apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Chủ lễ. @@ -512,14 +514,14 @@ DocType: Process Payroll,Select Payroll Period,Chọn lương Thời gian DocType: Purchase Invoice,Unpaid,Chưa thanh toán apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +49,Reserved for sale,Dành cho các bán DocType: Packing Slip,From Package No.,Từ gói thầu số -DocType: Item Attribute,To Range,Thành vùng +DocType: Item Attribute,To Range,để khoanh vùng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +29,Securities and Deposits,Chứng khoán và tiền gửi apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +44,"Can't change valuation method, as there are transactions against some items which does not have it's own valuation method",Không thể thay đổi phương pháp định giá vì có các giao dịch đối với một số mặt hàng không có phương pháp định giá riêng -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +82,Total leaves allocated is mandatory,Tổng số lá được giao là bắt buộc +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +82,Total leaves allocated is mandatory,Tổng số nghỉ phép được phân bổ là bắt buộc DocType: Job Opening,Description of a Job Opening,Mô tả công việc một Opening apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Pending activities for today,Hoạt động cấp phát cho ngày hôm nay apps/erpnext/erpnext/config/hr.py +24,Attendance record.,Kỷ lục tham dự. -DocType: Salary Structure,Salary Component for timesheet based payroll.,Phần lương cho bảng dựa trên bảng lương bổng +DocType: Salary Structure,Salary Component for timesheet based payroll.,Phần lương cho bảng thời gian biểu dựa trên bảng lương DocType: Sales Order Item,Used for Production Plan,Sử dụng cho kế hoạch sản xuất DocType: Employee Loan,Total Payment,Tổng tiền thanh toán DocType: Manufacturing Settings,Time Between Operations (in mins),Thời gian giữa các thao tác (bằng phút) @@ -529,7 +531,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 +219,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 +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/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" @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Vui lòng nhập kho mà Chất liệu Yêu cầu sẽ được nâng lên DocType: Production Order,Additional Operating Cost,Chi phí điều hành khác apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Mỹ phẩm -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Sáp nhập, tài sản sau đây là giống nhau cho cả hai mục" +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items","Để Sáp nhập, tài sản sau đây phải giống nhau cho cả hai mục" DocType: Shipping Rule,Net Weight,Trọng lượng tịnh DocType: Employee,Emergency Phone,Điện thoại khẩn cấp apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Mua @@ -554,11 +556,11 @@ 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 +2428,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 +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 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ụ -DocType: Project,Project will be accessible on the website to these users,Dự án sẽ có thể truy cập vào các trang web để những người sử dụng +DocType: Project,Project will be accessible on the website to these users,Dự án sẽ có thể truy cập vào các trang web tới những người sử dụng DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tỷ giá ở mức mà danh sách giá tiền tệ được chuyển đổi tới giá tiền tệ cơ bản của công ty apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Tài khoản {0} không thuộc về công ty: {1} apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Bản rút ngắn đã được sử dụng cho một công ty khác @@ -573,12 +575,12 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,Thêm / Sửa Thuế và phí DocType: Purchase Invoice,Supplier Invoice No,Nhà cung cấp hóa đơn Không DocType: Territory,For reference,Để tham khảo -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions","Không thể xóa số Seri {0}, vì nó được sử dụng trong các giao dịch hàng tồn kho" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions","Không thể xóa số Seri {0}, vì nó được sử dụng trong các giao dịch hàng tồn kho" apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Đóng cửa (Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,Di chuyển mục 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,Pending Qty +DocType: Production Plan Item,Pending Qty,Số lượng cấp phát DocType: Budget,Ignore,Bỏ qua apps/erpnext/erpnext/accounts/party.py +354,{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} @@ -589,12 +591,12 @@ DocType: Pricing Rule,Valid From,Từ hợp lệ DocType: Sales Invoice,Total Commission,Tổng tiền Hoa hồng DocType: Pricing Rule,Sales Partner,Đại lý bán hàng DocType: Buying Settings,Purchase Receipt Required,Hóa đơn mua hàng -apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu mở cửa bước vào Cổ +apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu cổ phiếu mở đã được nhập vào apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Không cóbản ghi được tìm thấy trong bảng hóa đơn apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vui lòng chọn Công ty và Đảng Loại đầu tiên apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Năm tài chính / kế toán. apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Giá trị lũy kế -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Xin lỗi, Serial Nos không thể được sáp nhập" +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged","Xin lỗi, không thể hợp nhất các số sê ri" apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Thực hiện bán hàng đặt hàng DocType: Project Task,Project Task,Dự án công tác ,Lead Id,Lead Tên đăng nhập @@ -613,7 +615,8 @@ DocType: Job Applicant,Resume Attachment,Resume đính kèm apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Khách hàng lặp lại DocType: Leave Control Panel,Allocate,Phân bổ apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Bán hàng trở lại -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,Lưu ý: Tổng lá phân bổ {0} không được nhỏ hơn lá đã được phê duyệt {1} cho giai đoạn +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,Lưu ý: Tổng di dời phân bổ {0} không được nhỏ hơn các di dời đã được phê duyệt {1} cho giai đoạn +,Total Stock Summary,Tóm tắt Tổng số DocType: Announcement,Posted By,Gửi bởi DocType: Item,Delivered by Supplier (Drop Ship),Cung cấp bởi Nhà cung cấp (Drop Ship) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Cơ sở dữ liệu về khách hàng tiềm năng. @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,Cơ sở dữ li DocType: Quotation,Quotation To,định giá tới DocType: Lead,Middle Income,Thu nhập trung bình apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Mở (Cr) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Mặc định Đơn vị đo lường cho mục {0} không thể thay đổi trực tiếp bởi vì bạn đã thực hiện một số giao dịch (s) với Ươm khác. Bạn sẽ cần phải tạo ra một khoản mới để sử dụng một định Ươm khác nhau. +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Mặc định Đơn vị đo lường cho mục {0} không thể thay đổi trực tiếp bởi vì bạn đã thực hiện một số giao dịch (s) với Ươm khác. Bạn sẽ cần phải tạo ra một khoản mới để sử dụng một định Ươm khác nhau. apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Số lượng phân bổ không thể phủ định apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Hãy đặt Công ty apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Hãy đặt Công ty @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,Chủ DocType: Assessment Plan,Maximum Assessment Score,Điểm đánh giá tối đa apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Ngày giao dịch Cập nhật Ngân hàng apps/erpnext/erpnext/config/projects.py +30,Time Tracking,theo dõi thời gian +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,ĐƠN XEM CHO TRANSPORTER DocType: Fiscal Year Company,Fiscal Year Company,Công ty tài chính Năm DocType: Packing Slip Item,DN Detail,DN chi tiết DocType: Training Event,Conference,Hội nghị @@ -655,12 +659,12 @@ apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created DocType: Sales Invoice,Sales Taxes and Charges,Thuế bán hàng và lệ phí DocType: Employee,Organization Profile,Hồ sơ Tổ chức DocType: Student,Sibling Details,Thông tin chi tiết anh chị em ruột -DocType: Vehicle Service,Vehicle Service,Dịch vụ xe +DocType: Vehicle Service,Vehicle Service,Dịch vụ của phương tiện apps/erpnext/erpnext/config/setup.py +101,Automatically triggers the feedback request based on conditions.,Tự động kích hoạt các yêu cầu thông tin phản hồi dựa trên điều kiện. DocType: Employee,Reason for Resignation,Lý do từ chức -apps/erpnext/erpnext/config/hr.py +147,Template for performance appraisals.,Mẫu cho đánh giá kết quả. +apps/erpnext/erpnext/config/hr.py +147,Template for performance appraisals.,Mẫu dùng cho thẩm định hiệu suất DocType: Sales Invoice,Credit Note Issued,Credit Note Ban hành -DocType: Project Task,Weight,Cân nặng +DocType: Project Task,Weight,Trọng lượng DocType: Payment Reconciliation,Invoice/Journal Entry Details,Hóa đơn / bút toán nhật ký chi tiết apps/erpnext/erpnext/accounts/utils.py +83,{0} '{1}' not in Fiscal Year {2},{0} '{1}' không thuộc năm tài chính {2} DocType: Buying Settings,Settings for Buying Module,Thiết lập cho module Mua hàng @@ -675,7 +679,7 @@ apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Quản lý nhân DocType: Employee,Passport Number,Số hộ chiếu apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Mối quan hệ với Guardian2 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Chi cục trưởng -DocType: Payment Entry,Payment From / To,Thanh toán Từ / Để +DocType: Payment Entry,Payment From / To,Thanh toán Từ / Đến apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},hạn mức tín dụng mới thấp hơn số tồn đọng chưa trả cho khách hàng. Hạn mức tín dụng phải ít nhất {0} DocType: SMS Settings,Receiver Parameter,thông số người nhận apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Dựa Trên' và 'Nhóm Bởi' không thể giống nhau @@ -684,19 +688,19 @@ 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 +320,Timesheet created:,Timesheet đã tạo: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,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 +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/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 -DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Sẽ hiển thị các sinh viên như hiện tại trong Student Report Attendance tháng +DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Sẽ hiển thị các sinh viên như hiện tại trong Báo cáo sinh viên có mặt hàng tháng DocType: Depreciation Schedule,Depreciation Amount,Giá trị khấu hao apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +56,Convert to Group,Chuyển đổi cho Tập đoàn DocType: Activity Cost,Activity Type,Loại hoạt động DocType: Request for Quotation,For individual supplier,Đối với nhà cung cấp cá nhân DocType: BOM Operation,Base Hour Rate(Company Currency),Cơ sở tỷ giá giờ (Công ty ngoại tệ) apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Delivered Amount,Số tiền gửi -DocType: Supplier,Fixed Days,Days cố định +DocType: Supplier,Fixed Days,NGày cố định DocType: Quotation Item,Item Balance,số dư mẫu hàng DocType: Sales Invoice,Packing List,Danh sách đóng gói apps/erpnext/erpnext/config/buying.py +28,Purchase Orders given to Suppliers.,Đơn đặt hàng mua cho nhà cung cấp. @@ -704,7 +708,7 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +43,Publishing,Xuất b 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,Round Off Cost Center +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 +218,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) @@ -714,9 +718,9 @@ 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 +139,Finish,Hoàn thành +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,Hoàn thành apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Cơ sở -DocType: Timesheet,Total Billed Hours,Tổng số giờ Được xem +DocType: Timesheet,Total Billed Hours,Tổng số giờ DocType: Journal Entry,Write Off Amount,Viết Tắt Số tiền DocType: Journal Entry,Bill No,Hóa đơn số DocType: Company,Gain/Loss Account on Asset Disposal,TK Lãi/Lỗ thanh lý tài sản @@ -749,11 +753,11 @@ DocType: Hub Settings,Seller City,Người bán Thành phố ,Absent Student Report,Báo cáo Sinh viên vắng mặt DocType: Email Digest,Next email will be sent on:,Email tiếp theo sẽ được gửi vào: DocType: Offer Letter Term,Offer Letter Term,Hạn thư mời -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Mục có các biến thể. +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,Mục có các biến thể. apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Mục {0} không tìm thấy DocType: Bin,Stock Value,Giá trị tồn apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Công ty {0} không tồn tại -apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,Loại cây +apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,Loại cây biểu thị DocType: BOM Explosion Item,Qty Consumed Per Unit,Số lượng tiêu thụ trung bình mỗi đơn vị DocType: Serial No,Warranty Expiry Date,Ngày Bảo hành hết hạn DocType: Material Request Item,Quantity and Warehouse,Số lượng và kho @@ -771,7 +775,7 @@ DocType: Lead,Campaign Name,Tên chiến dịch DocType: Selling Settings,Close Opportunity After Days,Đóng Opportunity Sau ngày ,Reserved,Ltd DocType: Purchase Order,Supply Raw Materials,Cung cấp Nguyên liệu thô -DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Ngày, tháng, hóa đơn tiếp theo sẽ được tạo ra. Nó được tạo ra trên trình." +DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Ngày danh đơn tiếp theo được lập sẽ được duyệt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Tài sản ngắn hạn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} không phải là 1 vật liệu tồn kho DocType: Mode of Payment Account,Default Account,Tài khoản mặc định @@ -789,19 +793,19 @@ apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.j apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +152,You can not enter current voucher in 'Against Journal Entry' column,Bạn không thể nhập chứng từ hiện hành tại cột 'Chứng từ đối ứng' apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,Dành cho sản xuất apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Năng lượng -DocType: Opportunity,Opportunity From,Từ cơ hội +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. 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}: Chuyển đổi Factor là bắt buộc +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 +332,"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/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 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 +48,Make Timesheet,Tạo thời gian biểu +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -821,7 +825,7 @@ The tax rate you define here will be the standard tax rate for all **Items**. If 6. Amount: Tax amount. 7. Total: Cumulative total to this point. 8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row). -9. Is this Tax included in Basic Rate?: If you check this, it means that this tax will not be shown below the item table, but will be included in the Basic Rate in your main item table. This is useful where you want give a flat price (inclusive of all taxes) price to customers.","Mẫu thuế tiêu chuẩn có thể được chấp thuận với tất cả các giao dịch mua bán. Mẫu vật này có thể bao gồm danh sách các đầu thuế và cũng có thể là các đầu phí tổn/ thu nhập như ""vận chuyển"",,""Bảo hiểm"",""Xử lý"" vv.#### Lưu ý: tỷ giá thuế mà bạn định hình ở đây sẽ là tỷ giá thuế tiêu chuẩn cho tất cả các **mẫu hàng**. Nếu có **các mẫu hàng** có các tỷ giá khác nhau, chúng phải được thêm vào bảng **Thuế mẫu hàng** tại **mẫu hàng** chủ. #### Mô tả của các cột 1. Kiểu tính toán: -Điều này có thể vào **tổng thuần** (tóm lược của số lượng cơ bản).-** Tại hàng tổng trước đó / Số lượng** (đối với các loại thuế hoặc phân bổ tích lũy)... Nếu bạn chọn phần này, thuế sẽ được chấp thuận như một phần trong phần trăm của cột trước đó (trong bảng thuế) số lượng hoặc tổng. -**Thực tế** (như đã đề cập tới).2. Đầu tài khoản: Tài khoản sổ cái nơi mà loại thuế này sẽ được đặt 3. Trung tâm chi phí: Nếu thuế / sự phân bổ là môt loại thu nhập (giống như vận chuyển) hoặc là chi phí, nó cần được đặt trước với một trung tâm chi phí. 4 Mô tả: Mô tả của loại thuế (sẽ được in vào hóa đơn/ giấy báo giá) 5. Tỷ giá: Tỷ giá thuế. 6 Số lượng: SỐ lượng thuế 7.Tổng: Tổng tích lũy tại điểm này. 8. nhập dòng: Nếu được dựa trên ""Hàng tôtngr trước đó"" bạn có thể lựa chọn số hàng nơi sẽ được làm nền cho việc tính toán (mặc định là hàng trước đó).9. Loại thuế này có bao gồm trong tỷ giá cơ bản ?: Nếu bạn kiểm tra nó, nghĩa là loại thuế này sẽ không được hiển thị bên dưới bảng mẫu hàng, nhưng sẽ được bao gồm tại tỷ giá cơ bản tại bảng mẫu hàng chính của bạn.. Điều này rất hữu ích bất cứ khi nào bạn muốn đưa ra một loại giá sàn (bao gồm tất cả các loại thuế) đối với khách hàng," +9. Is this Tax included in Basic Rate?: If you check this, it means that this tax will not be shown below the item table, but will be included in the Basic Rate in your main item table. This is useful where you want give a flat price (inclusive of all taxes) price to customers.","Mẫu thuế tiêu chuẩn có thể được chấp thuận với tất cả các giao dịch mua bán. Mẫu vật này có thể bao gồm danh sách các đầu thuế và cũng có thể là các đầu phí tổn/ thu nhập như ""vận chuyển"",,""Bảo hiểm"",""Xử lý"" vv.#### Lưu ý: tỷ giá thuế mà bạn định hình ở đây sẽ là tỷ giá thuế tiêu chuẩn cho tất cả các **mẫu hàng**. Nếu có **các mẫu hàng** có các tỷ giá khác nhau, chúng phải được thêm vào bảng **Thuế mẫu hàng** tại **mẫu hàng** chủ. #### Mô tả của các cột 1. Kiểu tính toán: -Điều này có thể vào **tổng thuần** (tổng số lượng cơ bản).-** Tại hàng tổng trước đó / Số lượng** (đối với các loại thuế hoặc phân bổ tích lũy)... Nếu bạn chọn phần này, thuế sẽ được chấp thuận như một phần trong phần trăm của cột trước đó (trong bảng thuế) số lượng hoặc tổng. -**Thực tế** (như đã đề cập tới).2. Đầu tài khoản: Tài khoản sổ cái nơi mà loại thuế này sẽ được đặt 3. Trung tâm chi phí: Nếu thuế / sự phân bổ là môt loại thu nhập (giống như vận chuyển) hoặc là chi phí, nó cần được đặt trước với một trung tâm chi phí. 4 Mô tả: Mô tả của loại thuế (sẽ được in vào hóa đơn/ giấy báo giá) 5. Tỷ giá: Tỷ giá thuế. 6 Số lượng: SỐ lượng thuế 7.Tổng: Tổng tích lũy tại điểm này. 8. nhập dòng: Nếu được dựa trên ""Hàng tôtngr trước đó"" bạn có thể lựa chọn số hàng nơi sẽ được làm nền cho việc tính toán (mặc định là hàng trước đó).9. Loại thuế này có bao gồm trong tỷ giá cơ bản ?: Nếu bạn kiểm tra nó, nghĩa là loại thuế này sẽ không được hiển thị bên dưới bảng mẫu hàng, nhưng sẽ được bao gồm tại tỷ giá cơ bản tại bảng mẫu hàng chính của bạn.. Điều này rất hữu ích bất cứ khi nào bạn muốn đưa ra một loại giá sàn (bao gồm tất cả các loại thuế) đối với khách hàng," DocType: Employee,Bank A/C No.,Số TK Ngân hàng DocType: Bank Guarantee,Project,Dự án DocType: Quality Inspection Reading,Reading 7,Đọc 7 @@ -840,16 +844,16 @@ DocType: Company,Default Cost of Goods Sold Account,Mặc định Chi phí tài 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 DocType: Request for Quotation Supplier,Send Email,Gởi thư -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Cảnh báo: Tập tin đính kèm {0} ko hợp lệ -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Không quyền hạn +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},Cảnh báo: Tập tin đính kèm {0} ko hợp lệ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,Không quyền hạn 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 Đảng, Đảng chọn Gõ đầu tiên" +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 +269,Nos,Số +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,Row # {0}: {1} tài sản phải nộp +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/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 @@ -857,7 +861,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Nhóm sinh viên đã được cập nhật. DocType: SMS Center,All Customer Contact,Tất cả Liên hệ Khách hàng apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Tải lên số tồn kho thông qua file csv. -DocType: Warehouse,Tree Details,Chi tiết Tree +DocType: Warehouse,Tree Details,Cây biểu thị chi tiết DocType: Training Event,Event Status,Tình trạng tổ chức sự kiện ,Support Analytics,Hỗ trợ Analytics apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +344,"If you have any questions, please get back to us.","Nếu bạn có thắc mắc, xin vui lòng lấy lại cho chúng ta." @@ -866,16 +870,16 @@ 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 +274,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 +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/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à tự động hóa đơn sẽ được tạo ra ví dụ như 05, 28 vv" +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ế apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Điểm số phải nhỏ hơn hoặc bằng 5 DocType: Program Enrollment Tool,Program Enrollment Tool,Chương trình Công cụ ghi danh apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C - Bản ghi mẫu apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Khách hàng và Nhà cung cấp DocType: Email Digest,Email Digest Settings,Thiết lập mục Email nhắc việc -apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Cảm ơn bạn cho doanh nghiệp của bạn! +apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Cảm ơn vì công việc kinh doanh của bạn ! apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Hỗ trợ các truy vấn từ khách hàng. ,Production Order Stock Report,Báo cáo Đặt hàng sản phẩm theo kho DocType: HR Settings,Retirement Age,Tuổi nghỉ hưu @@ -916,11 +920,11 @@ DocType: Vehicle Service,Brake Pad,đệm phanh apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Nghiên cứu & Phát triể apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Số tiền Bill DocType: Company,Registration Details,Thông tin chi tiết đăng ký -DocType: Timesheet,Total Billed Amount,Tổng số tiền Billed +DocType: Timesheet,Total Billed Amount,Tổng số được lập hóa đơn DocType: Item Reorder,Re-Order Qty,Số lượng đặt mua lại -DocType: Leave Block List Date,Leave Block List Date,Để lại Danh sách Chặn ngày +DocType: Leave Block List Date,Leave Block List Date,Để lại kỳ hạn cho danh sách chặn DocType: Pricing Rule,Price or Discount,Giá hoặc giảm giá -apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +86,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Tổng số phí áp dụng tại Purchase bảng Receipt mục phải giống như Tổng Thuế và Phí +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +86,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Tổng phí tại biên lai mua các mẫu hàng phải giống như tổng các loại thuế và phí DocType: Sales Team,Incentives,Ưu đãi 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ô @@ -933,7 +937,7 @@ apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Điểm bán hàng DocType: Vehicle Log,Odometer Reading,Đọc mét kế apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tài khoản đang dư Có, bạn không được phép thiết lập 'Số dư TK phải ' là 'Nợ'" DocType: Account,Balance must be,Số dư phải là -DocType: Hub Settings,Publish Pricing,Xuất bản Pricing +DocType: Hub Settings,Publish Pricing,Xuất bản giá cả DocType: Notification Control,Expense Claim Rejected Message,Thông báo yêu cầu bồi thường chi phí từ chối ,Available Qty,Số lượng có sẵn DocType: Purchase Taxes and Charges,On Previous Row Total,Dựa trên tổng tiền dòng trên @@ -941,7 +945,7 @@ DocType: Purchase Invoice Item,Rejected Qty,Số lượng bị từ chối DocType: Salary Slip,Working Days,Ngày làm việc DocType: Serial No,Incoming Rate,Tỷ lệ đến DocType: Packing Slip,Gross Weight,Tổng trọng lượng -apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Tên của công ty của bạn mà bạn đang thiết lập hệ thống này. +apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Tên của công ty bạn đang thiết lập hệ thống này. DocType: HR Settings,Include holidays in Total no. of Working Days,Bao gồm các ngày lễ trong Tổng số. của các ngày làm việc DocType: Job Applicant,Hold,tổ chức DocType: Employee,Date of Joining,ngày gia nhập @@ -954,18 +958,18 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, 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/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 +303,Unable to find Time Slot in the next {0} days for Operation {1},Không thể tìm Time Khe cắm trong {0} ngày tới cho Chiến {1} +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} 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 +543,BOM {0} must be active,BOM {0} phải hoạt động +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Không nối tiếp {0} không thuộc về hàng {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},Không nối tiếp {0} không thuộc về hàng {1} DocType: Purchase Receipt Item Supplied,Required Qty,Số lượng yêu cầu apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang sổ cái. -DocType: Bank Reconciliation,Total Amount,Tổng tiền -apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet xuất bản +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/item_prices/item_prices.py +38,Sales Price List,Danh sách bán hàng giá @@ -978,29 +982,29 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,Các thành phần apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vui lòng nhập loại tài sản trong mục {0} DocType: Quality Inspection Reading,Reading 6,Đọc 6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Không thể {0} {1} {2} không có bất kỳ hóa đơn xuất sắc tiêu cực -DocType: Purchase Invoice Advance,Purchase Invoice Advance,Mua hóa đơn trước +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,Không thể {0} {1} {2} không có bất kỳ hóa đơn xuất sắc tiêu cực +DocType: Purchase Invoice Advance,Purchase Invoice Advance,Mua hóa đơn cao cấp DocType: Hub Settings,Sync Now,Bây giờ Sync -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: lối vào tín dụng không thể được liên kết với một {1} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Hàng {0}: lối vào tín dụng không thể được liên kết với một {1} apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Xác định ngân sách cho năm tài chính. DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Ngân hàng mặc định/ TK tiền mặt sẽ được tự động cập nhật trên hóa đơn của điểm bán hàng POS khi chế độ này được chọn. DocType: Lead,LEAD-,LEAD- DocType: Employee,Permanent Address Is,Địa chỉ thường trú là DocType: Production Order Operation,Operation completed for how many finished goods?,Hoạt động hoàn thành cho bao nhiêu thành phẩm? -apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Các thương hiệu +apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Thương hiệu 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 +731,New Sales Invoice,Hóa đơn bán hàng mới -DocType: Stock Entry,Total Outgoing Value,Tổng giá trị Outgoing +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,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ố nói cách +DocType: Salary Slip,Total in words,Tổng số bằng chữ 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 @@ -1013,9 +1017,9 @@ apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Chuyển hàng apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán DocType: Purchase Invoice Item,Purchase Order Item,Mua hàng mục apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Thu nhập gián tiếp -DocType: Student Attendance Tool,Student Attendance Tool,Công cụ tham dự Sinh viên +DocType: Student Attendance Tool,Student Attendance Tool,Công cụ điểm danh sinh viên 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,Variance +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 +847,Select Item for Transfer,Chọn mục Chuyển giao @@ -1025,15 +1029,15 @@ DocType: Bank Reconciliation,Select account head of the bank where cheque was de DocType: Selling Settings,Allow user to edit Price List Rate in transactions,Cho phép người dùng chỉnh sửa Giá liệt kê Tỷ giá giao dịch DocType: Pricing Rule,Max Qty,Số lượng tối đa apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +30,"Row {0}: Invoice {1} is invalid, it might be cancelled / does not exist. \ - Please enter a valid Invoice","Row {0}: Hóa đơn {1} là không hợp lệ, nó có thể bị hủy bỏ / không tồn tại. \ Vui lòng nhập một hóa đơn hợp lệ" -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Row {0}: Thanh toán chống Bán hàng / Mua hàng nên luôn luôn được đánh dấu là trước + Please enter a valid Invoice","Hàng {0}: Hóa đơn {1} là không hợp lệ, nó có thể bị hủy bỏ / không tồn tại. \ Vui lòng nhập một hóa đơn hợp lệ" +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Hàng {0}: Thanh toán chống Bán hàng / Mua hàng nên luôn luôn được đánh dấu là trước apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Mối nguy hóa học DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Mặc định tài khoản Ngân hàng / Tiền sẽ được tự động cập nhật trong Salary Journal Entry khi chế độ này được chọn. DocType: BOM,Raw Material Cost(Company Currency),Chi phí nguyên liệu (Tiền tệ công ty) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,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/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 +270,Meter,Mét +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 @@ -1044,19 +1048,19 @@ DocType: Timesheet Detail,Bill,Hóa đơn apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Kỳ hạn khấu hao tiếp theo được nhập vào như kỳ hạn cũ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Trắng DocType: SMS Center,All Lead (Open),Tất cả Tiềm năng (Mở) -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}: Số lượng không có sẵn cho {4} trong kho {1} tại đăng thời gian nhập cảnh ({2} {3}) +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}),Hàng {0}: Số lượng không có sẵn cho {4} trong kho {1} tại đăng thời gian nhập cảnh ({2} {3}) 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 +766,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 số tiền trong từ -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. Một lý do có thể xảy ra là bạn đã không lưu mẫu đơn. Vui lòng liên hệ support@erpnext.com nếu vấn đề vẫn tồn tại. +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. 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,Mở Số lượng -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền +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 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ợ @@ -1064,21 +1068,21 @@ 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 +259,Qty for {0},Số lượng cho {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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 Danh sách Chặn Ngày +DocType: Leave Block List,Leave Block List Dates,Để lại các kỳ hạn cho danh sách chặn DocType: Workstation,Net Hour Rate,Tỷ giá giờ thuần -DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Chi phí hạ cánh mua hóa đơn +DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Hóa đơn mua hàng chi phí hạ cánh DocType: Company,Default Terms,Mặc định khoản DocType: Packing Slip Item,Packing Slip Item,Mẫu hàng bảng đóng gói DocType: Purchase Invoice,Cash/Bank Account,Tài khoản tiền mặt / Ngân hàng apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vui lòng ghi rõ {0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Các mục gỡ bỏ không có thay đổi về số lượng hoặc giá trị. DocType: Delivery Note,Delivery To,Để giao hàng -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Bảng thuộc tính là bắt buộc +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,Bảng thuộc tính là bắt buộc DocType: Production Planning Tool,Get Sales Orders,Chọn đơn đặt hàng -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} không được âm +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} không được âm apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Giảm giá DocType: Asset,Total Number of Depreciations,Tổng Số khấu hao DocType: Sales Invoice Item,Rate With Margin,Tỷ lệ chênh lệch @@ -1087,7 +1091,7 @@ DocType: Workstation,Wages,Tiền lương DocType: Project,Internal,Nội bộ DocType: Task,Urgent,Khẩn cấp apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +149,Please specify a valid Row ID for row {0} in table {1},Hãy xác định một ID Row hợp lệ cho {0} hàng trong bảng {1} -apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Tới Desktop và bắt đầu sử dụng ERPNext +apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +23,Go to the Desktop and start using ERPNext,Tới màn h ình nền và bắt đầu sử dụng ERPNext DocType: Item,Manufacturer,Nhà sản xuất DocType: Landed Cost Item,Purchase Receipt Item,Mua hóa đơn hàng DocType: Purchase Receipt,PREC-RET-,Prec-RET- @@ -1100,29 +1104,29 @@ DocType: Serial No,Creation Document No,Tạo ra văn bản số DocType: Issue,Issue,Nội dung: DocType: Asset,Scrapped,Loại bỏ apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Các thuộc tính cho khoản biến thể. ví dụ như kích cỡ, màu sắc, vv" -DocType: Purchase Invoice,Returns,Returns +DocType: Purchase Invoice,Returns,Các lần trả lại apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP kho apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Không nối tiếp {0} là theo hợp đồng bảo trì tối đa {1} apps/erpnext/erpnext/config/hr.py +35,Recruitment,tuyển dụng DocType: Lead,Organization Name,Tên tổ chức DocType: Tax Rule,Shipping State,Vận Chuyển bang -,Projected Quantity as Source,Số lượng dự kiến là nguồn -apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Mẫu hàng phải được bổ sung bằng cách sử dụng nút'Nhận Items từ Mua Tiền thu' +,Projected Quantity as Source,Số lượng dự kiến như nguồn +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Mẫu hàng phải được bổ sung bằng cách sử dụng nút 'nhận mẫu hàng từ biên lai thu tiền' DocType: Employee,A-,A- -DocType: Production Planning Tool,Include non-stock items,Bao gồm các mặt hàng không có +DocType: Production Planning Tool,Include non-stock items,Bao gồm các mặt hàng không trong kho apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Chi phí bán hàng apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Mua hàng mặc định 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 +1546,ZIP Code,Mã Bưu Chính +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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 DocType: Packing Slip,Net Weight UOM,Trọng lượng tịnh UOM apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Các kết quả DocType: Item,Default Supplier,Nhà cung cấp mặc định -DocType: Manufacturing Settings,Over Production Allowance Percentage,Trong sản xuất Allowance Tỷ +DocType: Manufacturing Settings,Over Production Allowance Percentage,Phần trăm sản xuất vượt mức cho phép DocType: Employee Loan,Repayment Schedule,Kế hoạch trả nợ DocType: Shipping Rule Condition,Shipping Rule Condition,Điều kiện quy tắc vận chuyển DocType: Holiday List,Get Weekly Off Dates,Nhận ngày nghỉ hàng tuần @@ -1134,7 +1138,7 @@ 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 +238,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 +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/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) @@ -1144,34 +1148,34 @@ 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} 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,Key Performance Area +DocType: Appraisal Template Goal,Key Performance Area,Khu vực thực hiện chính DocType: Program Enrollment,Transportation,Vận chuyển apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Thuộc tính không hợp lệ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} phải được đệ trình apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Số lượng phải nhỏ hơn hoặc bằng {0} -DocType: SMS Center,Total Characters,Tổng số nhân vật +DocType: SMS Center,Total Characters,Tổng số chữ apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vui lòng chọn BOM BOM trong lĩnh vực cho hàng {0} DocType: C-Form Invoice Detail,C-Form Invoice Detail,C- Mẫu hóa đơn chi tiết -DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hòa giải thanh toán hóa đơn +DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hóa đơn hòa giải thanh toán apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Đóng góp% apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Theo các cài đặt mua bán, nếu đơn đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập hóa đơn mua hàng đầu tiên cho danh mục {0}" 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 +224,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 +71,Please set 'Apply Additional Discount On',Xin hãy đặt 'Áp dụng giảm giá bổ sung On' +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 DocType: Global Defaults,Global Defaults,Mặc định toàn cầu apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Lời mời hợp tác dự án 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,Bắt đầu năm -apps/erpnext/erpnext/regional/india/utils.py +22,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 của thời kỳ hóa đơn hiện tại bắt đầu -DocType: Salary Slip,Leave Without Pay,Nếu không phải trả tiền lại -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Công suất Lỗi Kế hoạch -,Trial Balance for Party,Trial Balance cho Đảng +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} +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 +,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 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Hoàn thành mục {0} phải được nhập cho loại Sản xuất nhập cảnh @@ -1186,10 +1190,10 @@ 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 +771,Return / Debit Note,Return / Debit Note +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,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 +182,{0} valid serial nos for Item {1},{0} Các dãy số hợp lệ cho vật liệu {1} +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} apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Mã hàng không có thể được thay đổi cho Số sản apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},Hồ sơ POS {0} đã được tạo ra cho người sử dụng: {1} và công ty {2} DocType: Sales Invoice Item,UOM Conversion Factor,UOM chuyển đổi yếu tố @@ -1199,19 +1203,19 @@ 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 +675,Cost Center For Item with Item Code ',Cost Center For Item with Item Code ' -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +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" 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","Tài khoản có thể tiếp tục được thực hiện theo nhóm, nhưng mục có thể được thực hiện đối với phi Groups" +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" DocType: Lead,Lead,Lead DocType: Email Digest,Payables,Phải trả DocType: Course,Course Intro,Khóa học Giới thiệu -apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Cổ nhập {0} đã tạo -apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Hàng # {0}: Bị từ chối Số lượng không thể được nhập vào Mua Return -,Purchase Order Items To Be Billed,Tìm mua hàng được lập hoá đơn +apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Bút toán hàng tồn kho {0} đã tạo +apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Hàng # {0}: Bị từ chối Số lượng không thể được nhập vào Hàng trả lại +,Purchase Order Items To Be Billed,Các mẫu hóa đơn mua hàng được lập hóa đơn DocType: Purchase Invoice Item,Net Rate,Tỷ giá thuần DocType: Purchase Invoice Item,Purchase Invoice Item,Hóa đơn mua hàng -apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +58,Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts,Cổ Ledger Entries và GL Entries được đăng lại cho các biên nhận mua hàng lựa chọn +apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +58,Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts,Bút toán sổ cái hàng tồn kho và bút toán GL được đăng lại cho các biên lai mua hàng được chọn apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +8,Item 1,Khoản 1 DocType: Holiday,Holiday,Kỳ nghỉ DocType: Support Settings,Close Issue After Days,Đóng Issue Sau ngày @@ -1219,7 +1223,7 @@ DocType: Leave Control Panel,Leave blank if considered for all branches,Để tr DocType: Bank Guarantee,Validity in Days,Hiệu lực trong Ngày DocType: Bank Guarantee,Validity in Days,Hiệu lực trong Ngày apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +21,C-form is not applicable for Invoice: {0},C-Form không được áp dụng cho hóa đơn: {0} -DocType: Payment Reconciliation,Unreconciled Payment Details,Chi tiết Thanh toán Unreconciled +DocType: Payment Reconciliation,Unreconciled Payment Details,Chi tiết Thanh toán không hòa giải apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,Số đơn đặt hàng apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +20,Order Count,Số đơn đặt hàng DocType: Global Defaults,Current Fiscal Year,Năm tài chính hiện tại @@ -1228,10 +1232,10 @@ DocType: Global Defaults,Disable Rounded Total,Vô hiệu hóa Tròn Tổng số 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,Xét xử dư +,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/config/hr.py +296,Setting up Employees,Thiết lập Nhân viên -DocType: Sales Order,SO-,VÌ THẾ- +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 DocType: Employee,O-,O- apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Nghiên cứu @@ -1239,16 +1243,16 @@ DocType: Maintenance Visit Purpose,Work Done,Xong công việc apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Xin vui lòng ghi rõ ít nhất một thuộc tính trong bảng thuộc tính DocType: Announcement,All Students,Tất cả học sinh apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,Mục {0} phải là mục Không-Tồn kho -apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Xem Ledger +apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Xem sổ cái 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 +511,"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/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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} không thể có hàng loạt +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 phải trả tiền -apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Loại hoạt động là bắt buộc. +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/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 @@ -1264,27 +1268,27 @@ DocType: Email Digest,New Income,thu nhập mới DocType: School Settings,School Settings,Cài đặt trường học DocType: School Settings,School Settings,Cài đặt trường học DocType: Buying Settings,Maintain same rate throughout purchase cycle,Duy trì tỷ giá giống nhau suốt chu kỳ mua bán -DocType: Opportunity Item,Opportunity Item,Cơ hội mục +DocType: Opportunity Item,Opportunity Item,Hạng mục cơ hội ,Student and Guardian Contact Details,Sinh viên và người giám hộ Chi tiết liên lạc -apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Đối với nhà cung cấp {0} Địa chỉ email được yêu cầu để gửi email +apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Hàng {0}: Đối với nhà cung cấp {0} Địa chỉ email được yêu cầu để gửi email apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Mở cửa tạm thời ,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 +288,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 +316,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.","Để tận dụng tốt nhất của ERPNext, chúng tôi khuyên bạn mất một thời gian và xem những đoạn phim được giúp đỡ." +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 DocType: 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/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 +65,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 +66,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, công ty không thể được sáp nhập" +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} \ cannot be greater than requested quantity {2} for Item {3}",Tổng khối lượng phát hành / Chuyển {0} trong Chất liệu Yêu cầu {1} \ không thể nhiều hơn số lượng yêu cầu {2} cho mục {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Nhỏ @@ -1300,14 +1304,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,Nơi cấp apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,hợp đồng DocType: Email Digest,Add Quote,Thêm Quote -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Yếu tố cần thiết cho coversion UOM UOM: {0} trong Item: {1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},Yếu tố cần thiết cho coversion UOM UOM: {0} trong Item: {1} 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 +736,Sync Master Data,Dữ liệu Sync Thạc sĩ -apps/erpnext/erpnext/public/js/setup_wizard.js +256,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 +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 DocType: Mode of Payment,Mode of Payment,Hình thức thanh toán -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin publice hoặc URL của trang web +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 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Đây là một nhóm mục gốc và không thể được chỉnh sửa. @@ -1320,42 +1324,41 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee e DocType: Item,Foreign Trade Details,Chi tiết Ngoại thương DocType: Email Digest,Annual Income,Thu nhập hàng năm DocType: Serial No,Serial No Details,Không có chi tiết nối tiếp -DocType: Purchase Invoice Item,Item Tax Rate,Mục Thuế suất +DocType: Purchase Invoice Item,Item Tax Rate,Tỷ giá thuế mẫu hàng DocType: Student Group Student,Group Roll Number,Số cuộn nhóm DocType: Student Group Student,Group Roll Number,Số cuộn nhóm apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +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 số các trọng số nhiệm vụ cần được 1. Vui lòng điều chỉnh trọng lượng của tất cả các công việc của dự án phù hợp -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Giao hàng Ghi {0} không nộp +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/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." 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Tình trạng đặt hàng sản phẩm là {0} DocType: Appraisal Goal,Goal,Mục tiêu DocType: Sales Invoice Item,Edit Description,Chỉnh sửa Mô tả -,Team Updates,đội cập nhật +,Team Updates,Cập nhật nhóm apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +782,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 (Công ty tiền tệ) +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 apps/erpnext/erpnext/utilities/bot.py +39,Did not find any item called {0},Không tìm thấy mục nào có tên là {0} -apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Tổng số Outgoing +apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Tổng số đầu ra apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Chỉ có thể có một vận chuyển Quy tắc Điều kiện với 0 hoặc giá trị trống cho ""Để giá trị gia tăng""" DocType: Authorization Rule,Transaction,cô lập Giao dịch apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Lưu ý: Trung tâm chi phí này là 1 nhóm. Không thể tạo ra bút toán kế toán với các nhóm này apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,kho con tồn tại cho nhà kho này. Bạn không thể xóa nhà kho này. DocType: Item,Website Item Groups,Các Nhóm mục website -DocType: Purchase Invoice,Total (Company Currency),Tổng số (Công ty tiền tệ) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Nối tiếp số {0} vào nhiều hơn một lần +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 +78,{0} items in progress,{0} mục trong tiến trình +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,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 +552,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 @@ -1364,7 +1367,7 @@ DocType: Sales Partner,Agent,Đại lý DocType: Purchase Invoice,Taxes and Charges Calculation,tính toán Thuế và Phí DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,sách khấu hao tài sản cho bút toán tự động DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Sách khấu hao tài sản cho bút toán tự động -DocType: BOM Operation,Workstation,Máy trạm +DocType: BOM Operation,Workstation,Trạm làm việc DocType: Request for Quotation Supplier,Request for Quotation Supplier,Yêu cầu báo giá Nhà cung cấp apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Phần cứng DocType: Sales Order,Recurring Upto,Định kỳ cho tới @@ -1373,7 +1376,7 @@ apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Hãy lựa c apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Để lại đặc quyền DocType: Purchase Invoice,Supplier Invoice Date,Nhà cung cấp hóa đơn ngày apps/erpnext/erpnext/templates/includes/product_page.js +18,per,trên -apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Bạn cần phải kích hoạt module Giỏ hàng +apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Bạn cần phải kích hoạt mô đun Giỏ hàng DocType: Payment Entry,Writeoff,Xóa sổ DocType: Appraisal Template Goal,Appraisal Template Goal,Thẩm định mẫu Mục tiêu DocType: Salary Component,Earning,Thu nhập @@ -1391,10 +1394,10 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,sinh viên ghi danh apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Đồng tiền của tài khoản bế phải là {0} apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Sum điểm cho tất cả các mục tiêu phải 100. Nó là {0} -DocType: Project,Start and End Dates,Bắt đầu và kết thúc Ngày +DocType: Project,Start and End Dates,Ngày bắt đầu và kết thúc ,Delivered Items To Be Billed,Chỉ tiêu giao được lập hoá đơn apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +16,Open BOM {0},Mở BOM {0} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +60,Warehouse cannot be changed for Serial No.,Không thể đổi kho cho Số serial +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +60,Warehouse cannot be changed for Serial No.,Không thể đổi kho cho Số seri DocType: Authorization Rule,Average Discount,Giảm giá trung bình DocType: Purchase Invoice Item,UOM,Đơn vị đo lường DocType: Rename Tool,Utilities,Tiện ích @@ -1414,20 +1417,19 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,Bootstrap 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 DocType: Holiday List,Holidays,Ngày lễ DocType: Sales Order Item,Planned Quantity,Số lượng dự kiến -DocType: Purchase Invoice Item,Item Tax Amount,mục Số tiền Thuế +DocType: Purchase Invoice Item,Item Tax Amount,lượng thuế mẫu hàng DocType: Item,Maintain Stock,Duy trì hàng tồn kho -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Cổ Entries đã tạo ra cho sản xuất theo thứ tự +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Các bút toán hàng tồn kho đã tạo ra cho sản xuất theo thứ tự 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 +260,Max: {0},Tối đa: {0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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. @@ -1437,14 +1439,14 @@ DocType: Sales Invoice,Shipping Address Name,tên địa chỉ vận chuyển apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Danh mục tài khoản DocType: Material Request,Terms and Conditions Content,Điều khoản và Điều kiện nội dung apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,không có thể lớn hơn 100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng DocType: Maintenance Visit,Unscheduled,Đột xuất DocType: Employee,Owned,Sở hữu DocType: Salary Detail,Depends on Leave Without Pay,Phụ thuộc vào Leave Nếu không phải trả tiền DocType: Pricing Rule,"Higher the number, higher the priority","Số càng cao, thì mức độ ưu tiên càng cao" -,Purchase Invoice Trends,Mua hóa đơn Xu hướng +,Purchase Invoice Trends,Mua xu hướng hóa đơn DocType: Employee,Better Prospects,Triển vọng tốt hơn -apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Hàng # {0}: Hàng {1} chỉ có {2} qty. Vui lòng chọn một lô khác có {3} có sẵn hoặc phân chia hàng thành nhiều hàng, để phân phối / xuất phát từ nhiều đợt" +apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Hàng # {0}: Hàng {1} chỉ có {2} số lượng. Vui lòng chọn một lô khác có {3} có sẵn hoặc phân chia hàng thành nhiều hàng, để phân phối / xuất phát từ nhiều đợt" DocType: Vehicle,License Plate,Giấy phép mảng DocType: Appraisal,Goals,Mục tiêu DocType: Warranty Claim,Warranty / AMC Status,Bảo hành /tình trạng AMC @@ -1459,8 +1461,7 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Ngư DocType: Purchase Invoice,Company GSTIN,GSTIN công ty apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Số lượng âm không được cho phép DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field. -Used for Taxes and Charges","Thuế bảng chi tiết lấy từ chủ hàng là một chuỗi và lưu trữ trong lĩnh vực này. - Được sử dụng cho thuế và phí" +Used for Taxes and Charges",Bảng chi tiết thuế được lấy từ từ chủ mẫu hàng như một chuỗi và được lưu trữ tại mục này. Được sử dụng cho các loại thuế và chi phí apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Nhân viên không thể báo cáo với chính mình. DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nếu tài khoản bị đóng băng, các mục được phép sử dụng hạn chế." DocType: Email Digest,Bank Balance,số dư Ngân hàng @@ -1469,7 +1470,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 +273,We buy this Item,Chúng tôi mua vật tư HH này +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/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,10 +1481,10 @@ 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 +266,Sub Assemblies,Phụ hội +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,Phụ hội DocType: Asset,Asset Name,Tên tài sản -DocType: Project,Task Weight,nhiệm vụ trọng lượng -DocType: Shipping Rule Condition,To Value,Để giá trị gia tăng +DocType: Project,Task Weight,trọng lượng công việc +DocType: Shipping Rule Condition,To Value,Tới giá trị DocType: Asset Movement,Stock Manager,Quản lý kho hàng apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Kho nguồn là bắt buộc đối với hàng {0} apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Bảng đóng gói @@ -1491,7 +1492,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Cài đặt thiết lập cổng SMS apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Nhập thất bại! apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Chưa có địa chỉ nào được bổ sung. -DocType: Workstation Working Hour,Workstation Working Hour,Workstation Giờ làm việc +DocType: Workstation Working Hour,Workstation Working Hour,Giờ làm việc tại trạm apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Chuyên viên phân tích DocType: Item,Inventory,Hàng tồn kho DocType: Item,Sales Details,Thông tin chi tiết bán hàng @@ -1507,19 +1508,19 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Tên học vi apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Vui lòng nhập trả nợ Số tiền 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,Email Mức lương trượt để nhân viên +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 +876,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ả -apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Không có bản ghi được tìm thấy trong bảng thanh toán -apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Đây {0} xung đột với {1} cho {2} {3} +apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} xung đột với {1} cho {2} {3} DocType: Student Attendance Tool,Students HTML,Học sinh HTML DocType: POS Profile,Apply Discount,Áp dụng giảm giá -DocType: Purchase Invoice Item,GST HSN Code,mã GST HSN -DocType: Employee External Work History,Total Experience,Tổng số kinh nghiệm +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 +283,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ư @@ -1543,7 +1544,7 @@ DocType: Landed Cost Voucher,Additional Charges,Phí bổ sung DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Thêm GIẢM Số tiền (Công ty tiền tệ) apps/erpnext/erpnext/accounts/doctype/account/account.js +7,Please create new account from Chart of Accounts.,Xin vui lòng tạo tài khoản mới từ mục tài khoản. DocType: Maintenance Visit,Maintenance Visit,Bảo trì đăng nhập -DocType: Student,Leaving Certificate Number,Rời Certificate Số +DocType: Student,Leaving Certificate Number,Di dời số chứng chỉ DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Hàng loạt sẵn Qty tại Kho apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,Cập nhật Kiểu in DocType: Landed Cost Voucher,Landed Cost Help,Chi phí giúp hạ cánh @@ -1563,9 +1564,9 @@ apps/erpnext/erpnext/config/stock.py +200,Brand master.,Chủ nhãn hàng apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple times in row {2} & {3},Sinh viên {0} - {1} xuất hiện nhiều lần trong hàng {2} & {3} DocType: 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 Transporter -apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,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 +269,Box,hộp +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 +873,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 @@ -1578,7 +1579,7 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicat DocType: Budget,Action if Annual Budget Exceeded,Hành động nếu ngân sách hàng năm vượt trội apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Yêu cầu vật liệu để đặt hóa đơn DocType: Shopping Cart Settings,Payment Success URL,Thanh toán thành công URL -apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},Row # {0}: trả lại hàng {1} không tồn tại trong {2} {3} +apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},Hàng # {0}: trả lại hàng {1} không tồn tại trong {2} {3} DocType: Purchase Receipt,PREC-,PREC- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +16,Bank Accounts,Tài khoản ngân hàng ,Bank Reconciliation Statement,Báo cáo bảng đối chiếu tài khoản ngân hàng @@ -1588,19 +1589,18 @@ DocType: C-Form,III,III apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Số dư tồn kho đầu kỳ apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} chỉ được xuất hiện một lần apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Không được phép để chuyển hơn {0} {1} hơn so với mua hàng {2} -apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lá được phân bổ thành công cho {0} +apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Các di dời được phân bổ thành công cho {0} apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Không có mẫu hàng để đóng gói DocType: Shipping Rule Condition,From Value,Từ giá trị gia tăng apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Số lượng sản xuất là bắt buộc DocType: Employee Loan,Repayment Method,Phương pháp trả nợ -DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nếu được chọn, trang chủ sẽ là mặc định mục Nhóm cho trang web" +DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nếu được kiểm tra, trang chủ sẽ là mặc định mục Nhóm cho trang web" DocType: Quality Inspection Reading,Reading 4,Đọc 4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},BOM mặc định cho {0} không tìm thấy cho dự án {1} apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Tuyên bố cho chi phí công ty. 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},Row # {0}: ngày giải phóng mặt bằng {1} không được trước ngày Séc {2} +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},Row {0}: Từ Thời gian và To Time {1} là chồng chéo với {2} +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/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ệ @@ -1612,36 +1612,37 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nhiệm vụ m apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Hãy báo giá apps/erpnext/erpnext/config/selling.py +216,Other Reports,Báo cáo khác DocType: Dependent Task,Dependent Task,Nhiệm vụ phụ thuộc -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Yếu tố chuyển đổi cho Đơn vị đo mặc định phải là 1 trong hàng {0} -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Nghỉ phép loại {0} không thể dài hơn {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},Yếu tố chuyển đổi cho Đơn vị đo mặc định phải là 1 trong hàng {0} +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 sinh Nhắc nhở +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} DocType: SMS Center,Receiver List,Danh sách người nhận -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Tìm hàng +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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,Quy mô phân loại -apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo {0} đã được nhập vào nhiều hơn một lần trong chuyển đổi yếu tố Bảng -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Đã hoàn thành +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/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 +263,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 +352,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 DocType: Customer,Customer POS Id,Tài khoảng POS của khách hàng DocType: Account,Account Name,Tên Tài khoản apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"""Từ ngày"" không có thể lớn hơn ""Đến ngày""" -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Không nối tiếp {0} {1} số lượng không thể là một phần nhỏ +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,Không nối tiếp {0} {1} số lượng không thể là một phần nhỏ apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Loại nhà cung cấp tổng thể. DocType: Purchase Order Item,Supplier Part Number,Nhà cung cấp Phần số apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1 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: Delivery Note,Vehicle Dispatch Date,Xe công văn ngày +DocType: Delivery Note,Vehicle Dispatch Date,Ngày gửi phương tiện +DocType: Purchase Order 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 DocType: Company,Default Payable Account,Mặc định Account Payable apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Cài đặt cho các giỏ hàng mua sắm trực tuyến chẳng hạn như các quy tắc vận chuyển, bảng giá, vv" @@ -1655,7 +1656,7 @@ DocType: Journal Entry Account,Debit in Company Currency,Nợ Công ty ngoại t DocType: BOM Item,BOM Item,Mục BOM DocType: Appraisal,For Employee,Cho nhân viên apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js +41,Make Disbursement Entry,Tạo bút toán giải ngân -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +138,Row {0}: Advance against Supplier must be debit,Row {0}: Advance chống Nhà cung cấp phải được ghi nợ +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +138,Row {0}: Advance against Supplier must be debit,Dãy {0}: Cấp cao đối với nhà cung cấp phải là khoản nợ DocType: Company,Default Values,Giá trị mặc định apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +61,{frequency} Digest,{Tần suất} phân loại DocType: Expense Claim,Total Amount Reimbursed,Tổng số tiền bồi hoàn @@ -1694,11 +1695,11 @@ apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +16,Current Odometer DocType: Shipping Rule Country,Shipping Rule Country,QUy tắc vận chuyển quốc gia apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Để lại và chấm công DocType: Maintenance Visit,Partially Completed,Một phần hoàn thành -DocType: Leave Type,Include holidays within leaves as leaves,Bao gồm các ngày lễ trong lá như lá +DocType: Leave Type,Include holidays within leaves as leaves,Bao gồm các ngày lễ trong các lần nghỉ như là các lần nghỉ DocType: Sales Invoice,Packed Items,Hàng đóng gói apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Yêu cầu bảo hành theo Số sê ri DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Thay thế một BOM đặc biệt trong tất cả các BOMs khác, nơi nó được sử dụng. Nó sẽ thay thế các link BOM cũ, cập nhật chi phí và tái sinh ""BOM nổ Item"" bảng theo mới BOM" -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Tổng' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','Tổng' DocType: Shopping Cart Settings,Enable Shopping Cart,Kích hoạt Giỏ hàng DocType: Employee,Permanent Address,Địa chỉ thường trú apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1716,7 +1717,7 @@ apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fu apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Xem Giỏ hàng apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Chi phí tiếp thị ,Item Shortage Report,Thiếu mục Báo cáo -apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến ""Weight Ươm"" quá" +apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến cả ""Weight UOM""" DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Phiếu NVL sử dụng để làm chứng từ nhập kho apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Kỳ hạn khấu hao tiếp theo là bắt buộc đối với tài sản DocType: Student Group Creation Tool,Separate course based Group for every Batch,Khóa học riêng biệt cho từng nhóm @@ -1725,7 +1726,7 @@ apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Đơn vị du DocType: Fee Category,Fee Category,phí Thể loại ,Student Fee Collection,Bộ sưu tập Phí sinh viên DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Thực hiện bút toán kế toán cho tất cả các chuyển động chứng khoán -DocType: Leave Allocation,Total Leaves Allocated,Tổng Lá Phân bổ +DocType: Leave Allocation,Total Leaves Allocated,Tổng số nghỉ phép được phân bố apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},phải có kho tại dòng số {0} apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End DocType: Employee,Date Of Retirement,Ngày nghỉ hưu @@ -1733,12 +1734,13 @@ 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! -DocType: Course Assessment Criteria,Weightage,Weightage +DocType: Course Assessment Criteria,Weightage,Trọng lượng +DocType: Sales 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 apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Liên hệ Mới -DocType: Territory,Parent Territory,địa bàn cấp trên +DocType: Territory,Parent Territory,Lãnh thổ DocType: Quality Inspection Reading,Reading 2,Đọc 2 DocType: Stock Entry,Material Receipt,Tiếp nhận nguyên liệu DocType: Homepage,Products,Sản phẩm @@ -1753,7 +1755,7 @@ DocType: Purchase Invoice,Notification Email Address,Thông báo Địa chỉ Em ,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 +699,Offline,ẩn +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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 @@ -1770,20 +1772,20 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Chính apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Biến thể DocType: Naming Series,Set prefix for numbering series on your transactions,Thiết lập tiền tố cho đánh số hàng loạt các giao dịch của bạn DocType: Employee Attendance Tool,Employees HTML,Nhân viên HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được hoạt động cho mục này hoặc mẫu của mình -DocType: Employee,Leave Encashed?,Để lại Encashed? -apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Cơ hội Từ trường là bắt buộc +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được hoạt động cho mục này hoặc mẫu của mình +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 +976,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 Rời Loại {0} +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ổ 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 +175,Work-in-Progress Warehouse is required before Submit,Làm việc-trong-Tiến kho là cần thiết trước khi Submit +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/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 @@ -1793,16 +1795,16 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Sức mạnh Nhóm Sinh viên apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Chống Journal nhập {0} không có bất kỳ chưa từng có {1} nhập apps/erpnext/erpnext/config/hr.py +137,Appraisals,đánh giá -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Trùng lặp số sê ri đã nhập cho mẫu hàng {0} +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 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,Để Phân phối và Bill +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 +546,BOM {0} must be submitted,BOM {0} phải được đệ trình +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,Thanh toán @@ -1821,15 +1823,15 @@ 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 +257,"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,Hub Node +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" +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: Asset Movement,Asset Movement,Phong trào Asset -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Giỏ hàng mới +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,Wheels +DocType: Vehicle,Wheels,Các bánh xe DocType: Packing Slip,To Package No.,Để Gói số DocType: Production Planning Tool,Material Requests,yêu cầu nguyên liệu DocType: Warranty Claim,Issue Date,Ngày phát hành @@ -1846,16 +1848,16 @@ apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_recei apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total' DocType: Sales Order Item,Delivery Warehouse,Kho nhận hàng DocType: SMS Settings,Message Parameter,Thông số tin nhắn -apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree of financial Cost Centers. +apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Cây biểu thị các trung tâm chi phí tài chính DocType: Serial No,Delivery Document No,Giao văn bản số apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Hãy thiết lập 'Gain tài khoản / Mất Xử lý tài sản trong doanh nghiệp {0} DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Nhận mẫu hàng Từ biên nhận mua hàng DocType: Serial No,Creation Date,Ngày Khởi tạo apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Mục {0} xuất hiện nhiều lần trong Giá liệt kê {1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Mục bán hàng phải được chọn, nếu được áp dụng khi được chọn là {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Mục bán hàng phải được chọn, nếu được áp dụng khi được chọn là {0}" DocType: Production Plan Material Request,Material Request Date,Chất liệu Yêu cầu gia ngày DocType: Purchase Order Item,Supplier Quotation Item,Mục Báo giá của NCC -DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Vô hiệu hóa việc tạo ra các bản ghi thời gian so với đơn đặt hàng sản xuất. Hoạt động sẽ không được theo dõi chống sản xuất hàng +DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Vô hiệu hóa việc tạo ra các bản ghi thời gian so với đơn đặt hàng sản xuất. Các hoạt động sẽ không bị theo dõi với đơn đặt hàng sản xuất DocType: Student,Student Mobile Number,Số di động Sinh viên DocType: Item,Has Variants,Có biến thể apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Bạn đã chọn các mục từ {0} {1} @@ -1869,22 +1871,22 @@ DocType: Supplier,Supplier of Goods or Services.,Nhà cung cấp hàng hóa ho DocType: Budget,Fiscal Year,Năm tài chính DocType: Vehicle Log,Fuel Price,nhiên liệu Giá DocType: Budget,Budget,Ngân sách -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset mục phải là một mục không cổ. +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 +209,e.g. 5,ví dụ như 5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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},Row {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} +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. DocType: Item,Is Sales Item,Là hàng bán apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,Cây nhóm mẫu hàng 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 +263,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à thuật ngữ này được liên kết (Academic Year {}). Xin vui lòng sửa ngày và thử lại. +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/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 @@ -1894,7 +1896,7 @@ DocType: Delivery Note Item,Against Sales Order,Theo đơn đặt hàng DocType: Payment Entry Reference,Outstanding,Nổi bật ,Daily Timesheet Summary,Tóm tắt thời gian làm việc hàng ngày 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}","Row {0}: Để thiết lập {1} chu kỳ, sự khác biệt giữa các từ và đến ngày \ + must be greater than or equal to {2}","Hàng{0}: Để thiết lập {1} chu kỳ, sự khác biệt giữa các từ và đến ngày \ phải lớn hơn hoặc bằng {2}" apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Điều này được dựa trên chuyển động chứng khoán. Xem {0} để biết chi tiết DocType: Pricing Rule,Selling,Bán hàng @@ -1909,7 +1911,7 @@ apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/paymen DocType: Item Website Specification,Table for Item that will be shown in Web Site,Bảng cho khoản đó sẽ được hiển thị trong trang Web DocType: Purchase Order Item Supplied,Supplied Qty,Đã cung cấp Số lượng DocType: Purchase Order Item,Material Request Item,Mẫu hàng yêu cầu tài liệu -apps/erpnext/erpnext/config/selling.py +75,Tree of Item Groups.,Cây khoản Groups. +apps/erpnext/erpnext/config/selling.py +75,Tree of Item Groups.,Cây biểu thị Các nhóm mẫu hàng apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +152,Cannot refer row number greater than or equal to current row number for this Charge type,Không có thể tham khảo số lượng hàng lớn hơn hoặc bằng số lượng hàng hiện tại cho loại phí này DocType: Asset,Sold,Đã bán ,Item-wise Purchase History,Mẫu hàng - lịch sử mua hàng thông minh @@ -1945,7 +1947,7 @@ DocType: Holiday List,Clear Table,Rõ ràng bảng DocType: C-Form Invoice Detail,Invoice No,Không hóa đơn apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +342,Make Payment,Thanh toán DocType: Room,Room Name,Tên phòng -apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Để lại không thể áp dụng / hủy bỏ trước khi {0}, như cân bằng nghỉ phép đã được chuyển tiếp trong hồ sơ giao đất trong tương lai {1}" +apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Việc nghỉ không thể áp dụng / hủy bỏ trước khi {0}, vì sô nghỉ trung bình đã được chuyển tiếp trong bản ghi phân bổ nghỉ phép trong tương lai {1}" DocType: Activity Cost,Costing Rate,Chi phí Rate apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Địa chỉ Khách hàng Và Liên hệ ,Campaign Efficiency,Hiệu quả Chiến dịch @@ -1956,10 +1958,10 @@ DocType: Employee,Resignation Letter Date,Ngày viết đơn nghỉ hưu apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,Nội quy định giá được tiếp tục lọc dựa trên số lượng. apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0} 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 Time Sheet) +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 +269,Pair,Đôi +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,Đôi apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,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ệ @@ -1978,27 +1980,28 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass DocType: Task,Actual End Date (via Time Sheet),Ngày kết thúc thực tế (thông qua thời gian biểu) apps/erpnext/erpnext/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 +160,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 +342,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/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 DocType: Shipping Rule Condition,Shipping Amount,Số tiền vận chuyển -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Thêm khách hàng +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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" -,Vehicle Expenses,Chi phí xe +,Vehicle Expenses,Chi phí phương tiện DocType: Serial No,Invoice Details,Chi tiết hóa đơn apps/erpnext/erpnext/accounts/doctype/asset/asset.py +154,Expected value after useful life must be greater than or equal to {0},giá trị dự kiến sau khi cuộc sống hữu ích phải lớn hơn hoặc bằng {0} -DocType: Purchase Receipt,Vehicle Number,Số xe +DocType: Purchase Receipt,Vehicle Number,Số phương tiện DocType: Purchase Invoice,The date on which recurring invoice will be stop,Ngày mà hóa đơn định kỳ sẽ được dừng lại DocType: Employee Loan,Loan Amount,Số tiền vay DocType: Program Enrollment,Self-Driving Vehicle,Phương tiện tự lái -apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Tuyên ngôn Nhân Vật liệu không tìm thấy cho Item {1} -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Tổng số lá được phân bổ {0} không thể ít hơn so với lá đã được phê duyệt {1} cho giai đoạn +apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Dãy {0}: Hóa đơn nguyên vật liệu không được tìm thấy cho mẫu hàng {1} +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Tổng số di dời được phân bổ {0} không thể ít hơn so với số di dời được phê duyệt {1} cho giai đoạn DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu ,Supplier-Wise Sales Analytics,Nhà cung cấp-Wise Doanh Analytics apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Nhập Số tiền trả tiền DocType: Salary Structure,Select employees for current Salary Structure,Chọn nhân viên cho cấu trúc lương hiện tại -DocType: Production Order,Use Multi-Level BOM,Sử dụng Multi-Level BOM +DocType: Sales Invoice,Company Address Name,Tên địa chỉ công ty +DocType: Production Order,Use Multi-Level BOM,Sử dụng đa cấp BOM DocType: Bank Reconciliation,Include Reconciled Entries,Bao gồm Các bút toán hòa giải 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)" @@ -2010,15 +2013,15 @@ 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 +126,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 nhiều qty." -DocType: Leave Block List Allow,Leave Block List Allow,Để lại Block List phé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.","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 +53,Group to Non-Group,Nhóm Non-Group -apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Thể thao +apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Các môn thể thao 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 +269,Unit,Đơn vị +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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" @@ -2035,23 +2038,23 @@ DocType: Vehicle,Fuel Type,Loại nhiên liệu apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,Hãy xác định tiền tệ của Công ty 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,Sau yêu cầu Chất liệu đã được nâng lên tự động dựa trên mức độ sắp xếp lại danh mục của +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/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 +1004,"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ý" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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.,Row {0}: Từ Thời gian và To Time là bắt buộc. +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. 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},Item Giá tăng cho {0} trong Giá liệt {1} +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 DocType: Territory,Classification of Customers by region,Phân loại khách hàng theo vùng apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Chênh lệch Số tiền phải bằng không -DocType: Project,Gross Margin,Margin Gross -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,Vui lòng nhập sản xuất hàng đầu tiên +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,sử dụng người khuyết tật +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 +748,Quotation,Báo giá DocType: Quotation,QTN-,QTN- DocType: Salary Slip,Total Deduction,Tổng số trích @@ -2061,7 +2064,7 @@ 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 **. DocType: Opportunity,Customer / Lead Address,Địa chỉ Khách hàng / Tiềm năng -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Cảnh báo: Chứng nhận SSL không hợp lệ đối với đính kèm {0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},Cảnh báo: Chứng nhận SSL không hợp lệ đối với đính kèm {0} DocType: Student Admission,Eligibility,Đủ điều kiện apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Lead giúp bạn có được việc kinh doanh, thêm tất cả các địa chỉ liên lạc của bạn và nhiều hơn nữa như Lead của bạn" DocType: Production Order Operation,Actual Operation Time,Thời gian hoạt động thực tế @@ -2079,12 +2082,12 @@ DocType: Guardian,Work Address,Địa chỉ làm việc DocType: Appraisal,Calculate Total Score,Tổng điểm tính toán DocType: Request for Quotation,Manufacturing Manager,QUản lý sản xuất apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Không nối tiếp {0} được bảo hành tối đa {1} -apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Giao hàng tận nơi chia Lưu ý thành các gói. -apps/erpnext/erpnext/hooks.py +87,Shipments,Lô hàng +apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Phân chia ghi chú giao hàng vào các gói hàng +apps/erpnext/erpnext/hooks.py +94,Shipments,Lô hàng DocType: Payment Entry,Total Allocated Amount (Company Currency),Tổng số tiền được phân bổ (Công ty ngoại tệ) DocType: Purchase Order Item,To be delivered to customer,Sẽ được chuyển giao cho khách hàng DocType: BOM,Scrap Material Cost,Chi phí phế liệu -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,{0} nối tiếp Không không thuộc về bất kỳ kho +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,{0} nối tiếp Không không thuộc về bất kỳ kho DocType: Purchase Invoice,In Words (Company Currency),Trong từ (Công ty tiền tệ) DocType: Asset,Supplier,Nhà cung cấp DocType: C-Form,Quarter,Phần tư @@ -2095,15 +2098,14 @@ DocType: Payment Request,PR,PR DocType: Cheque Print Template,Bank Name,Tên ngân hàng apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Trên DocType: Employee Loan,Employee Loan Account,Tài khoản vay nhân viên -DocType: Leave Application,Total Leave Days,Để lại tổng số ngày -DocType: Email Digest,Note: Email will not be sent to disabled users,Lưu ý: Email sẽ không được gửi đến người khuyết tật +DocType: Leave Application,Total Leave Days,Tổng số ngày nghỉ phép +DocType: Email Digest,Note: Email will not be sent to disabled users,Lưu ý: Email sẽ không được gửi đến người dùng bị chặn apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Số lần tương tác apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Số lần tương tá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/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 +408,{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 +409,{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" @@ -2127,7 +2129,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Có lỗi khi xóa lịch trình sau đây: DocType: Bin,Ordered Quantity,Số lượng đặt hàng apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","ví dụ như ""Xây dựng các công cụ cho các nhà thầu""" -DocType: Grading Scale,Grading Scale Intervals,Khoảng phân loại Scale +DocType: Grading Scale,Grading Scale Intervals,Phân loại các khoảng thời gian apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Bút Toán Kế toán cho {2} chỉ có thể được tạo ra với tiền tệ: {3} DocType: Production Order,In Process,Trong quá trình DocType: Authorization Rule,Itemwise Discount,Mẫu hàng thông minh giảm giá @@ -2140,20 +2142,21 @@ DocType: Activity Type,Default Billing Rate,tỉ lệ thanh toán mặc định apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Các nhóm sinh viên được tạo ra. apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Các nhóm sinh viên được tạo ra. 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.,Có phải là một mặc định đến tài khoản email kích hoạt để làm việc này. Hãy thiết lập một tài khoản email đến mặc định (POP / IMAP) và thử lại. +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},Row # {0}: {1} Asset đã {2} +apps/erpnext/erpnext/controllers/accounts_controller.py +565,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 DocType: Expense Claim Detail,Expense Claim Detail,Chi phí bồi thường chi tiết -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vui lòng chọn đúng tài khoản +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,TRIPLICATE CHO CUNG CẤP +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,Vui lòng chọn đúng tài khoản DocType: Item,Weight UOM,Trọng lượng UOM DocType: Salary Structure Employee,Salary Structure Employee,Cơ cấu tiền lương của nhân viên DocType: Employee,Blood Group,Nhóm máu DocType: Production Order Operation,Pending,Chờ DocType: Course,Course Name,Tên khóa học -DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Người dùng có thể duyệt các ứng dụng nghỉ phép một nhân viên nào đó của +DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Người dùng có thể duyệt các ứng dụng nghỉ phép một nhân viên nào đó apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Thiết bị văn phòng DocType: Purchase Invoice Item,Qty,Số lượng DocType: Fiscal Year,Companies,Các công ty @@ -2168,8 +2171,8 @@ DocType: BOM Scrap Item,Basic Amount (Company Currency),Số tiền cơ bản (C DocType: Student,Guardians,người giám hộ 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ị Incoming -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,nợ được yêu cầu +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/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 @@ -2182,7 +2185,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Tổng số chưa DocType: BOM Website Operation,BOM Website Operation,Hoạt động Website BOM apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Thư mời apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Các yêu cầu tạo ra vật liệu (MRP) và đơn đặt hàng sản xuất. -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Tổng số Hoá đơn Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,Tổng số Hoá đơn Amt DocType: BOM,Conversion Rate,Tỷ lệ chuyển đổi apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tìm kiếm sản phẩm DocType: Timesheet Detail,To Time,Giờ @@ -2190,14 +2193,14 @@ DocType: Authorization Rule,Approving Role (above authorized value),Phê duyệt 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} 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 chống lại mục tín dụng khác" +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},Row {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 +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} 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" DocType: Training Event Employee,Training Event Employee,Đào tạo nhân viên tổ chức sự kiện -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} những dãy số được yêu cầu cho vật liệu {1}. Bạn đã cung cấp {2}. +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} những dãy số được yêu cầu cho vật liệu {1}. Bạn đã cung cấp {2}. DocType: Stock Reconciliation Item,Current Valuation Rate,Hiện tại Rate Định giá DocType: Item,Customer Item Codes,Mã mục khách hàng (Customer Item Codes) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Trao đổi Lãi / lỗ @@ -2207,7 +2210,7 @@ DocType: Quality Inspection,Sample Size,Kích thước mẫu apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Vui lòng nhập Document Receipt apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Tất cả các mục đã được lập hoá đơn apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Vui lòng xác định hợp lệ ""Từ trường hợp số '" -apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Further cost centers can be made under Groups but entries can be made against non-Groups +apps/erpnext/erpnext/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,các trung tâm chi phí khác có thể được tạo ra bằng các nhóm nhưng các bút toán có thể được tạo ra với các nhóm không tồn tại 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. @@ -2245,7 +2248,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 +2454,Select Batch No,Chọn Batch No +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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 @@ -2269,20 +2272,20 @@ DocType: Leave Block List,Allow Users,Cho phép người sử dụng DocType: Purchase Order,Customer Mobile No,Số điện thoại khách hàng DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Theo dõi thu nhập và chi phí riêng cho ngành dọc sản phẩm hoặc bộ phận. DocType: Rename Tool,Rename Tool,Công cụ đổi tên -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Cập nhật giá +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 +438,Show Salary Slip,Trượt Hiện Lương apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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à cung cấp cho một hoạt động độc đáo không để 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 là qua 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 +1064,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 +741,Select change amount account,tài khoản số lượng Chọn thay đổi +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 +985,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 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 +200,Add Taxes,Thêm Thuế -DocType: Topic,Topic,Đề tài +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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 DocType: Quality Inspection,Verified By,Xác nhận bởi @@ -2292,6 +2295,7 @@ DocType: Stock Entry,Purchase Receipt No,Mua hóa đơn Không apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Tiền cọc DocType: Process Payroll,Create Salary Slip,Tạo Mức lương trượt apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Truy xuất nguồn gốc +DocType: Purchase Invoice Item,HSN/SAC Code,Mã HSN / SAC 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 @@ -2305,7 +2309,7 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group 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/templates/form_grid/material_request_grid.html +7,Required On,Đã yêu cầu với -DocType: Rename Tool,File to Rename,File để Đổi tên +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} @@ -2321,7 +2325,7 @@ DocType: Employee Education,Post Graduate,Sau đại học DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Lịch trình bảo dưỡng chi tiết DocType: Quality Inspection Reading,Reading 9,Đọc 9 DocType: Supplier,Is Frozen,Là đóng băng -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,kho nút Nhóm không được phép chọn cho các giao dịch +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,kho nút Nhóm không được phép chọn cho các giao dịch DocType: Buying Settings,Buying Settings,Thiết lập thông số Mua hàng DocType: Stock Entry Detail,BOM No. for a Finished Good Item,số hiệu BOM cho một sản phẩm hoàn thành chất lượng DocType: Upload Attendance,Attendance To Date,Có mặt đến ngày @@ -2337,13 +2341,13 @@ 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 +164,{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 +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} 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 +472,"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/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.js +153,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ỳ. +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 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vui lòng nhập theo kế hoạch Số lượng cho hàng {0} tại hàng {1} @@ -2353,31 +2357,31 @@ DocType: Production Planning Tool,Separate production order will be created for apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} phải là số âm trong tài liệu trả về ,Minutes to First Response for Issues,Các phút tới phản hồi đầu tiên cho kết quả DocType: Purchase Invoice,Terms and Conditions1,Điều khoản và Conditions1 -apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Tên của viện mà bạn đang thiết lập hệ thống này. +apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Tên của tổ chức mà bạn đang thiết lập hệ thống này. DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Bút toán hạch toán đã đóng băng đến ngày này, không ai có thể làm / sửa đổi nào ngoại trừ người có vai trò xác định dưới đây." apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Xin vui lòng lưu các tài liệu trước khi tạo ra lịch trình bảo trì apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Tình trạng dự án DocType: UOM,Check this to disallow fractions. (for Nos),Kiểm tra này để không cho phép các phần phân đoạn. (Cho Nos) apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Các đơn đặt hàng sản xuất sau đây được tạo ra: DocType: Student Admission,Naming Series (for Student Applicant),Đặt tên Series (cho sinh viên nộp đơn) -DocType: Delivery Note,Transporter Name,Tên vận chuyển +DocType: Delivery Note,Transporter Name,Tên người vận chuyển DocType: Authorization Rule,Authorized Value,Giá trị được ủy quyền DocType: BOM,Show Operations,Hiện Operations ,Minutes to First Response for Opportunity,Các phút tới phản hồi đầu tiên cho cơ hội apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Tổng số Vắng -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Mục hoặc Kho cho hàng {0} không phù hợp với liệu Yêu cầu +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,Mục hoặc Kho cho hàng {0} không phù hợp với liệu Yêu cầu apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Đơn vị đo DocType: Fiscal Year,Year End Date,Ngày kết thúc năm -DocType: Task Depends On,Task Depends On,Nhiệm vụ Phụ thuộc On +DocType: Task Depends On,Task Depends On,Nhiệm vụ Phụ thuộc vào DocType: Supplier Quotation,Opportunity,Cơ hội ,Completed Production Orders,Đơn đặt hàng sản xuất hoàn thành DocType: Operation,Default Workstation,Mặc định Workstation DocType: Notification Control,Expense Claim Approved Message,Thông báo yêu cầu bồi thường chi phí được chấp thuận DocType: Payment Entry,Deductions or Loss,Các khoản giảm trừ khả năng mất vốn apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +247,{0} {1} is closed,{0} {1} đã đóng -DocType: Email Digest,How frequently?,Làm thế nào thường xuyên? +DocType: Email Digest,How frequently?,Tần suất ra sao ? DocType: Purchase Receipt,Get Current Stock,Lấy tồn kho hiện tại -apps/erpnext/erpnext/config/manufacturing.py +46,Tree of Bill of Materials,Cây Bill Vật liệu +apps/erpnext/erpnext/config/manufacturing.py +46,Tree of Bill of Materials,Cây biểu thị hóa đơn nguyên vật liệu DocType: Student,Joining Date,Ngày tham gia ,Employees working on a holiday,Nhân viên làm việc trên một kỳ nghỉ apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +152,Mark Present,Đánh dấu hiện tại @@ -2389,7 +2393,7 @@ DocType: Purchase Invoice,PINV-,PINV- DocType: Authorization Rule,Applicable To (Role),Để áp dụng (Role) DocType: Stock Entry,Purpose,Mục đích DocType: Company,Fixed Asset Depreciation Settings,Thiết lập khấu hao TSCĐ -DocType: Item,Will also apply for variants unless overrridden,Cũng sẽ được áp dụng cho các biến thể trừ overrridden +DocType: Item,Will also apply for variants unless overrridden,Cũng sẽ được áp dụng cho các biến thể trừ phần bị ghi đèn DocType: Purchase Invoice,Advances,Tạm ứng DocType: Production Order,Manufacture against Material Request,Sản xuất với Yêu cầu vật liệu DocType: Item Reorder,Request for,Yêu cầu đối với @@ -2432,13 +2436,13 @@ The tax rate you define here will be the standard tax rate for all **Items**. If 7. Total: Cumulative total to this point. 8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row). 9. Consider Tax or Charge for: In this section you can specify if the tax / charge is only for valuation (not a part of total) or only for total (does not add value to the item) or for both. -10. Add or Deduct: Whether you want to add or deduct the tax.","Standard tax template that can be applied to all Purchase Transactions. This template can contain list of tax heads and also other expense heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note The tax rate you define here will be the standard tax rate for all **Items**. If there are **Items** that have different rates, they must be added in the **Item Tax** table in the **Item** master. #### Description of Columns 1. Calculation Type: - This can be on **Net Total** (that is the sum of basic amount). - **On Previous Row Total / Amount** (for cumulative taxes or charges). If you select this option, the tax will be applied as a percentage of the previous row (in the tax table) amount or total. - **Actual** (as mentioned). 2. Account Head: The Account ledger under which this tax will be booked 3. Cost Center: If the tax / charge is an income (like shipping) or expense it needs to be booked against a Cost Center. 4. Description: Description of the tax (that will be printed in invoices / quotes). 5. Rate: Tax rate. 6. Amount: Tax amount. 7. Total: Cumulative total to this point. 8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row). 9. Consider Tax or Charge for: In this section you can specify if the tax / charge is only for valuation (not a part of total) or only for total (does not add value to the item) or for both. 10. Add or Deduct: Whether you want to add or deduct the tax." +10. Add or Deduct: Whether you want to add or deduct the tax.","Mẫu thuế tiêu chuẩn có thể được chấp thuận với tất cả các giao dịch mua bán. Mẫu vật này có thể bao gồm danh sách các đầu thuế và cũng có thể là các đầu phí tổn như ""vận chuyển"",,""Bảo hiểm"",""Xử lý"" vv.#### Lưu ý: tỷ giá thuế mà bạn định hình ở đây sẽ là tỷ giá thuế tiêu chuẩn cho tất cả các **mẫu hàng**. Nếu có **các mẫu hàng** có các tỷ giá khác nhau, chúng phải được thêm vào bảng **Thuế mẫu hàng** tại **mẫu hàng** chủ. #### Mô tả của các cột 1. Kiểu tính toán: -Điều này có thể vào **tổng thuần** (tổng số lượng cơ bản).-** Tại hàng tổng trước đó / Số lượng** (đối với các loại thuế hoặc phân bổ tích lũy)... Nếu bạn chọn phần này, thuế sẽ được chấp thuận như một phần trong phần trăm của cột trước đó (trong bảng thuế) số lượng hoặc tổng. -**Thực tế** (như đã đề cập tới).2. Đầu tài khoản: Tài khoản sổ cái nơi mà loại thuế này sẽ được đặt 3. Trung tâm chi phí: Nếu thuế / sự phân bổ là môt loại thu nhập (giống như vận chuyển) hoặc là chi phí, nó cần được đặt trước với một trung tâm chi phí. 4 Mô tả: Mô tả của loại thuế (sẽ được in vào hóa đơn/ giấy báo giá) 5. Tỷ giá: Tỷ giá thuế. 6 Số lượng: SỐ lượng thuế 7.Tổng: Tổng tích lũy tại điểm này. 8. nhập dòng: Nếu được dựa trên ""Hàng tổng trước đó"" bạn có thể lựa chọn số hàng nơi sẽ được làm nền cho việc tính toán (mặc định là hàng trước đó).9. Loại thuế này có bao gồm trong tỷ giá cơ bản ?: Nếu bạn kiểm tra nó, nghĩa là loại thuế này sẽ không được hiển thị bên dưới bảng mẫu hàng, nhưng sẽ được bao gồm tại tỷ giá cơ bản tại bảng mẫu hàng chính của bạn.. Điều này rất hữu ích bất cứ khi nào bạn muốn đưa ra một loại giá sàn (bao gồm tất cả các loại thuế) đối với khách hàng," 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 +106,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,Cổ nhập {0} không được đệ trình +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/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" DocType: Tax Rule,Billing City,Thành phố thanh toán @@ -2446,7 +2450,7 @@ DocType: Asset,Manual,Hướng dẫn sử dụng DocType: Salary Component Account,Salary Component Account,Tài khoản phần lương DocType: Global Defaults,Hide Currency Symbol,Ẩn Ký hiệu tiền tệ apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng" -DocType: Lead Source,Source Name,Source Name +DocType: Lead Source,Source Name,Tên nguồn DocType: Journal Entry,Credit Note,Tín dụng Ghi chú DocType: Warranty Claim,Service Address,Địa chỉ dịch vụ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Nội thất và Đèn @@ -2475,7 +2479,7 @@ 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 apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Trên - 90 -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}: Tạp chí nhập {1} không có tài khoản {2} hoặc đã xuất hiện chống lại chứng từ khác +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 @@ -2492,7 +2496,7 @@ DocType: Employee,Emergency Contact,Liên hệ Trường hợp Khẩn cấp DocType: Bank Reconciliation Detail,Payment Entry,Bút toán thanh toán DocType: Item,Quality Parameters,Chất lượng thông số ,sales-browser,bán hàng trình duyệt -apps/erpnext/erpnext/accounts/doctype/account/account.js +56,Ledger,Sổ +apps/erpnext/erpnext/accounts/doctype/account/account.js +56,Ledger,Sổ cái DocType: Target Detail,Target Amount,Mục tiêu Số tiền DocType: Shopping Cart Settings,Shopping Cart Settings,Cài đặt giỏ hàng mua sắm DocType: Journal Entry,Accounting Entries,Các bút toán hạch toán @@ -2522,7 +2526,7 @@ DocType: Landed Cost Voucher,Purchase Receipt Items,Mua hóa đơn mục apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Các hình thức tùy biến apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,tiền còn thiếu apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Khấu hao Số tiền trong giai đoạn này -apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,mẫu khuyết tật không phải là mẫu mặc định +apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,mẫu đã vô hiệu hóa không phải là mẫu mặc định DocType: Account,Income Account,Tài khoản thu nhập DocType: Payment Request,Amount in customer's currency,Tiền quy đổi theo ngoại tệ của khách apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Giao hàng @@ -2530,14 +2534,14 @@ DocType: Stock Reconciliation Item,Current Qty,Số lượng hiện tại DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Xem ""Tỷ lệ Of Vật liệu Dựa trên"" trong mục Chi phí" apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Trước đó DocType: Appraisal Goal,Key Responsibility Area,Trách nhiệm chính -apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Lô Student giúp bạn theo dõi chuyên cần, đánh giá và lệ phí cho sinh viên" +apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Các đợt sinh viên giúp bạn theo dõi chuyên cần, đánh giá và lệ phí cho sinh viên" 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 +789,"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,Row {0}: Ươm Conversion Factor là bắt buộc -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Tài liệu tham khảo +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/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í apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Chứng từ # DocType: Notification Control,Purchase Order Message,Thông báo Mua hàng @@ -2553,7 +2557,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 +1165,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 +1086,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 +773,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 @@ -2561,18 +2565,18 @@ apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only p DocType: Vehicle,Electric,Điện DocType: Task,% Progress,% Tiến trình apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Lãi / lỗ khi nhượng lại tài sản -DocType: Training Event,Will send an email about the event to employees with status 'Open',Sẽ gửi một email về các sự kiện để nhân viên có tư cách 'mở' +DocType: Training Event,Will send an email about the event to employees with status 'Open',Sẽ gửi một email về các sự kiện với các nhân viên với trạng thái 'mở' DocType: Task,Depends on Tasks,Phụ thuộc vào nhiệm vụ apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Cây thư mục Quản lý Nhóm khách hàng DocType: Shopping Cart Settings,Attachments can be shown without enabling the shopping cart,Các tệp đính kèm có thể được hiển thị mà không cần bật giỏ hàng DocType: Supplier Quotation,SQTN-,SQTN- apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Tên Trung tâm chi phí mới -DocType: Leave Control Panel,Leave Control Panel,Để lại Control Panel +DocType: Leave Control Panel,Leave Control Panel,Rời khỏi bảng điều khiển DocType: Project,Task Completion,nhiệm vụ hoàn thành apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Không trong kho -DocType: Appraisal,HR User,Nhân tài +DocType: Appraisal,HR User,Người sử dụng nhân sự DocType: Purchase Invoice,Taxes and Charges Deducted,Thuế và lệ phí được khấu trừ -apps/erpnext/erpnext/hooks.py +116,Issues,Vấn đề +apps/erpnext/erpnext/hooks.py +124,Issues,Vấn đề apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Tình trạng phải là một trong {0} DocType: Sales Invoice,Debit To,nợ với DocType: Delivery Note,Required only for sample item.,Yêu cầu chỉ cho mục mẫu. @@ -2584,7 +2588,7 @@ apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} bị vô 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 -apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Tổng Leaves +apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Tổng số nghỉ phép ,Profit and Loss Statement,Lợi nhuận và mất Trữ DocType: Bank Reconciliation Detail,Cheque Number,Số séc ,Sales Browser,Doanh số bán hàng của trình duyệt @@ -2594,13 +2598,14 @@ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,địa ph apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Các khoản cho vay và Tiền đặt trước (tài sản) apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Con nợ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Lớn -DocType: Homepage Featured Product,Homepage Featured Product,Sản phẩm nổi bật trang chủ +DocType: Homepage Featured Product,Homepage Featured Product,Sản phẩm nổi bật trên trang chủ apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Tất cả đánh giá Groups apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,tên kho mới apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Tổng số {0} ({1}) DocType: C-Form Invoice Detail,Territory,Địa bàn apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Xin đề cập không có các yêu cầu thăm DocType: Stock Settings,Default Valuation Method,Phương pháp mặc định Định giá +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,Chi phí DocType: Vehicle Log,Fuel Qty,nhiên liệu Số lượng DocType: Production Order Operation,Planned Start Time,Planned Start Time DocType: Course,Assessment,"Thẩm định, lượng định, đánh giá" @@ -2608,22 +2613,22 @@ DocType: Payment Entry Reference,Allocated,Phân bổ apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất. 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 đồng tiền vào một +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 +149,Quotation {0} is cancelled,Báo giá {0} bị hủy bỏ -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Tổng số tiền nợ +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 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Tất cả các giao dịch bán hàng đều được gắn tag với nhiều **Nhân viên kd ** vì thế bạn có thể thiết lập và giám sát các mục tiêu kinh doanh ,S.O. No.,SO số -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Vui lòng tạo Khách hàng từ Lead {0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},Vui lòng tạo Khách hàng từ Lead {0} DocType: Price List,Applicable for Countries,Áp dụng đối với các nước apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Chỉ Rời khỏi ứng dụng với tình trạng 'Chấp Nhận' và 'từ chối' có thể được gửi apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Tên sinh viên Group là bắt buộc trong hàng {0} DocType: Homepage,Products to be shown on website homepage,Sản phẩm sẽ được hiển thị trên trang chủ của trang web apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Đây là một nhóm khách hàng gốc và không thể được chỉnh sửa. DocType: Employee,AB-,AB- -DocType: POS Profile,Ignore Pricing Rule,Bỏ qua giá Rule -DocType: Employee Education,Graduate,Sau đại học +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 +69,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 @@ -2652,7 +2657,7 @@ Examples: 1. Điều khoản vận chuyển, nếu áp dụng. 1. Các phương pháp giải quyết tranh chấp, bồi thường, trách nhiệm pháp lý v.v.. 1. Địa chỉ và Liên hệ của Công ty bạn." -DocType: Attendance,Leave Type,Loại bỏ +DocType: Attendance,Leave Type,Loại di dời DocType: Purchase Invoice,Supplier Invoice Details,Nhà cung cấp chi tiết hóa đơn apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Chi phí tài khoản / khác biệt ({0}) phải là một ""lợi nhuận hoặc lỗ 'tài khoản" DocType: Project,Copied From,Sao chép từ @@ -2665,6 +2670,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/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ợ @@ -2682,7 +2688,7 @@ DocType: BOM Item,Scrap %,Phế liệu% apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Phí sẽ được phân phối không cân xứng dựa trên mục qty hoặc số tiền, theo lựa chọn của bạn" DocType: Maintenance Visit,Purposes,Mục đích apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Ít nhất một mặt hàng cần được nhập với số lượng tiêu cực trong tài liệu trở lại -apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} lâu hơn bất kỳ giờ làm việc có sẵn trong máy trạm {1}, phá vỡ các hoạt động vào nhiều hoạt động" +apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Hoạt động {0} lâu hơn bất kỳ giờ làm việc có sẵn trong máy trạm {1}, phá vỡ các hoạt động vào nhiều hoạt động" ,Requested,Yêu cầu apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Không có lưu ý DocType: Purchase Invoice,Overdue,Quá hạn @@ -2690,7 +2696,7 @@ DocType: Account,Stock Received But Not Billed,Chứng khoán nhận Nhưng Khô apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Tài khoản gốc phải là một nhóm DocType: Fees,FEE.,CHI PHÍ. DocType: Employee Loan,Repaid/Closed,Hoàn trả / đóng -DocType: Item,Total Projected Qty,Tổng số dự Qty +DocType: Item,Total Projected Qty,Tổng số lượng đã được lên dự án DocType: Monthly Distribution,Distribution Name,Tên phân phối DocType: Course,Course Code,Mã khóa học apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Duyệt chất lượng là cần thiết cho mục {0} @@ -2707,22 +2713,22 @@ DocType: Stock Entry,Material Transfer for Manufacture,Vận chuyển nguyên li 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.,Tỷ lệ phần trăm giảm giá có thể được áp dụng hoặc chống lại một danh sách giá hay cho tất cả Bảng giá. DocType: Purchase Invoice,Half-yearly,Nửa năm apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Hạch toán kế toán cho hàng tồn kho +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,Bạn đã đánh giá các tiêu chí đánh giá {}. DocType: Vehicle Service,Engine Oil,Dầu động 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: Sales Invoice,Sales Team1,Team1 bán hàng apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Mục {0} không tồn tại 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.,Row {0}: Đã hoàn thành Số lượng phải lớn hơn không. +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. 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 -apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Không thể trả về nhiều hơn {1} cho khoản {2} +apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Hàng # {0}: Không thể trả về nhiều hơn {1} cho mẫu hàng {2} apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Âm mưu DocType: Item Group,Show this slideshow at the top of the page,Hiển thị slideshow này ở trên cùng của trang DocType: BOM,Item UOM,Đơn vị tính cho mục -DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Số tiền thuế Sau GIẢM Số tiền (Công ty tiền tệ) +DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Số tiền thuế Sau khuyến mãi (Tiền công ty) apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0} DocType: Cheque Print Template,Primary Settings,Cài đặt chính DocType: Purchase Invoice,Select Supplier Address,Chọn nhà cung cấp Địa chỉ @@ -2734,9 +2740,9 @@ DocType: Training Event,Theory,Lý thuyết apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,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,Email im lặng +DocType: Payment Request,Mute Email,Tắt tiếng email apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Thực phẩm, đồ uống và thuốc lá" -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Tỷ lệ hoa hồng không có thể lớn hơn 100 DocType: Stock Entry,Subcontract,Cho thầu lại apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Vui lòng nhập {0} đầu tiên @@ -2755,7 +2761,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 Grand Total ({2}) +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}) 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 / @@ -2764,7 +2770,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,Sinh viên tham dự hàng tháng Bảng apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Nhân viên {0} đã áp dụng cho {1} {2} giữa và {3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Dự án Ngày bắt đầu -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,Cho đến khi +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,Cho đến khi DocType: Rename Tool,Rename Log,Đổi tên Đăng nhập apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Lịch Sinh Hoạt của Nhóm Sinh Viên hoặc Khóa Học là bắt buộc apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Lịch Sinh Hoạt của Nhóm Sinh Viên hoặc Khóa Học là bắt buộc @@ -2780,16 +2786,16 @@ apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Thêm sinh viên apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},Vui lòng chọn {0} DocType: C-Form,C-Form No,C - Mẫu số DocType: BOM,Exploded_items,mẫu hàng _ dễ nổ -DocType: Employee Attendance Tool,Unmarked Attendance,Attendance đánh dấu +DocType: Employee Attendance Tool,Unmarked Attendance,không có mặt apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Nhà nghiên cứu DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Chương trình học sinh ghi danh Công cụ apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Tên hoặc Email là bắt buộc apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Kiểm tra chất lượng đầu vào. DocType: Purchase Order Item,Returned Qty,Số lượng trả lại DocType: Employee,Exit,Thoát -apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Loại rễ là bắt buộc +apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Loại gốc là bắt buộc DocType: BOM,Total Cost(Company Currency),Tổng chi phí (Công ty ngoại tệ) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Không nối tiếp {0} tạo +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,Không nối tiếp {0} tạo DocType: Homepage,Company Description for website homepage,Công ty Mô tả cho trang chủ của trang web DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Để thuận tiện cho khách hàng, các mã này có thể được sử dụng trong các định dạng in hóa đơn và biên bản giao hàng" apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Tên suplier @@ -2805,12 +2811,12 @@ apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_c apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +57,Batch is mandatory in row {0},Hàng loạt là bắt buộc ở hàng {0} DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Mua hóa đơn hàng Cung cấp DocType: Payment Entry,Pay,Trả -apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,To Datetime,Để Datetime -DocType: SMS Settings,SMS Gateway URL,SMS Gateway URL +apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,To Datetime,Tới ngày giờ +DocType: SMS Settings,SMS Gateway URL,URL cổng tin nhắn apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Lịch khóa học xóa: -apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs cho việc duy trì tình trạng giao hàng sms +apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Các đăng nhập cho việc duy trì tin nhắn tình trạng giao hàng DocType: Accounts Settings,Make Payment via Journal Entry,Hãy thanh toán qua Journal nhập -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,In vào +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,In vào DocType: Item,Inspection Required before Delivery,Kiểm tra bắt buộc trước khi giao hàng DocType: Item,Inspection Required before Purchase,Kiểm tra bắt buộc trước khi mua hàng apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Các hoạt động cấp phát @@ -2824,7 +2830,7 @@ apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Sel 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 -apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Giá cập nhật cho {0} trong Danh sách Price {1} +apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Giá mẫu hàng cập nhật cho {0} trong Danh sách {1} DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Chia tiền lương dựa trên thu nhập và khấu trừ apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Tài khoản có các nút TK con không thể chuyển đổi sang sổ cái được DocType: Purchase Invoice Item,Accepted Warehouse,Kho nhận @@ -2838,13 +2844,14 @@ DocType: Serial No,Under Warranty,Theo Bảo hành apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Lỗi] DocType: Sales Order,In Words will be visible once you save the Sales Order.,'Bằng chữ' sẽ được hiển thị khi bạn lưu đơn bán hàng. ,Employee Birthday,Nhân viên sinh nhật -DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Sinh viên Công cụ hàng loạt Attendance +DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Công cụ điểm danh sinh viên hàng loạt apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Giới hạn chéo -apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Vốn đầu tư mạo hiểm +apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Vốn liên doanh 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.,Một học kỳ với điều này "Academic Year '{0} và' Tên hạn '{1} đã tồn tại. Hãy thay đổi những mục này và thử lại. -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Như có những giao dịch hiện tại chống lại {0} mục, bạn không thể thay đổi giá trị của {1}" +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}","Như có những giao dịch hiện tại chống lại {0} mục, bạn không thể thay đổi giá trị của {1}" DocType: UOM,Must be Whole Number,Phải có nguyên số DocType: Leave Control Panel,New Leaves Allocated (In Days),Những sự cho phép mới được phân bổ (trong nhiều ngày) +DocType: Sales Invoice,Invoice Copy,Bản sao hoá đơn apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Không nối tiếp {0} không tồn tại DocType: Sales Invoice Item,Customer Warehouse (Optional),Kho của khách hàng (Tùy chọn) DocType: Pricing Rule,Discount Percentage,Tỷ lệ phần trăm giảm giá @@ -2862,7 +2869,7 @@ DocType: Target Detail,Target Detail,Chi tiết mục tiêu apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Tất cả Jobs DocType: Sales Order,% of materials billed against this Sales Order,% của NVL đã có hoá đơn gắn với đơn đặt hàng này DocType: Program Enrollment,Mode of Transportation,Phương thức vận chuyển -apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Thời gian đóng cửa nhập +apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Bút toán kết thúc kỳ hạn apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Chi phí bộ phận với các phát sinh đang có không thể chuyển đổi sang nhóm apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Số tiền {0} {1} {2} {3} DocType: Account,Depreciation,Khấu hao @@ -2878,20 +2885,22 @@ DocType: GL Entry,Voucher No,Chứng từ số ,Lead Owner Efficiency,Hiệu quả Chủ đầu tư DocType: Leave Allocation,Leave Allocation,Phân bổ lại DocType: Payment Request,Recipient Message And Payment Details,Tin nhắn người nhận và chi tiết thanh toán -DocType: Training Event,Trainer Email,Trainer Email +DocType: Training Event,Trainer Email,email người huấn luyện apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +546,Material Requests {0} created,Các yêu cầu nguyên liệu {0} đã được tiến hành DocType: Production Planning Tool,Include sub-contracted raw materials,Bao gồm các nguyên liệu phụ ký hợp đồng -apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,"Mẫu thời hạn, điều hợp đồng." +apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mẫu thời hạn hoặc hợp đồng. DocType: Purchase Invoice,Address and Contact,Địa chỉ và Liên hệ DocType: Cheque Print Template,Is Account Payable,Là tài khoản phải trả -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Cổ không thể cập nhật lại nhận mua hàng {0} +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Hàng tồn kho thể cập nhật với biên lai mua hàng {0} 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}","Để lại không thể được phân bổ trước khi {0}, như cân bằng nghỉ phép đã được chuyển tiếp trong hồ sơ giao đất trong tương lai {1}" +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 +305,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ế -DocType: Stock Settings,Freeze Stock Entries,Đóng băng Cổ Entries +DocType: Stock Settings,Freeze Stock Entries,Bút toán đóng băng cổ phiếu +DocType: Program Enrollment,Boarding Student,Sinh viên nội trú DocType: Asset,Expected Value After Useful Life,Giá trị dự kiến After Life viết DocType: Item,Reorder level based on Warehouse,mức đèn đỏ mua vật tư (phải bổ xung hoặc đặt mua thêm) DocType: Activity Cost,Billing Rate,Tỷ giá thanh toán @@ -2904,9 +2913,9 @@ DocType: Quality Inspection,Outgoing,Đi DocType: Material Request,Requested For,Đối với yêu cầu DocType: Quotation Item,Against Doctype,Chống lại DOCTYPE apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} đã huỷ bỏ hoặc đã đóng -DocType: Delivery Note,Track this Delivery Note against any Project,Giao hàng tận nơi theo dõi này Lưu ý đối với bất kỳ dự án +DocType: Delivery Note,Track this Delivery Note against any Project,Theo dõi bản ghi chú giao hàng nào với bất kỳ dự án nào apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Tiền thuần từ đầu tư -DocType: Production Order,Work-in-Progress Warehouse,Làm việc-trong-Tiến kho +DocType: Production Order,Work-in-Progress Warehouse,Kho đang trong tiến độ hoàn thành apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Tài sản {0} phải được đệ trình apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Attendance Ghi {0} tồn tại đối với Sinh viên {1} apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},THam chiếu # {0} được đặt kỳ hạn {1} @@ -2919,13 +2928,13 @@ apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Chọn sinh viên theo cách thủ công cho Nhóm dựa trên hoạt động DocType: Journal Entry,User Remark,Lưu ý người dùng DocType: Lead,Market Segment,Phân khúc thị trường -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Số tiền trả không có thể lớn hơn tổng số dư âm {0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},Số tiền trả không có thể lớn hơn tổng số dư âm {0} DocType: Employee Internal Work History,Employee Internal Work History,Lịch sử nhân viên nội bộ làm việc apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Đóng cửa (Tiến sĩ) DocType: Cheque Print Template,Cheque Size,Kích Séc -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Không nối tiếp {0} không có trong kho +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,Không nối tiếp {0} không có trong kho apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Mẫu thông số thuế cho các giao dịch bán hàng -DocType: Sales Invoice,Write Off Outstanding Amount,Viết Tắt Số tiền nổi bật +DocType: Sales Invoice,Write Off Outstanding Amount,Viết Tắt số lượng nổi bật apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Tài khoản {0} không phù hợp với Công ty {1} DocType: School Settings,Current Academic Year,Năm học hiện tại DocType: School Settings,Current Academic Year,Năm học hiện tại @@ -2948,12 +2957,12 @@ 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 +348,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,Để quản lý +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/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 đủ DocType: Lead,Lower Income,Thu nhập thấp -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Nguồn và kho mục tiêu không thể giống nhau cho hàng {0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Nguồn và kho đích không thể giống nhau tại hàng {0} 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} @@ -2962,24 +2971,24 @@ 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},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 +418,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 +419,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 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Số thứ tự và hàng loạt DocType: Warranty Claim,From Company,Từ Công ty -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Sum của Điểm của tiêu chí đánh giá cần {0} được. +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,Sum của Điểm của tiêu chí đánh giá cần {0} được. 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 +270,Minute,Phút -DocType: Purchase Invoice,Purchase Taxes and Charges,Thuế mua và lệ phí +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 Block List phép -DocType: Grading Scale Interval,Grading Scale Interval,Chấm điểm Scale Interval +DocType: Leave Block List,Leave Block List Allowed,Để lại danh sách chặn cho phép +DocType: Grading Scale Interval,Grading Scale Interval,Phân loại khoảng thời gian apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Chi phí bồi thường cho xe Log {0} -DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với Margin -DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với Margin +DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với giá lề +DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với giá lề apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tất cả các kho hàng DocType: Sales Partner,Retailer,Cửa hàng bán lẻ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Để tín dụng tài khoản phải có một tài khoản Cân đối kế toán @@ -2993,9 +3002,9 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Tài khoản thấu chi ngân hàng apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Làm cho lương trượt apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Hàng # {0}: Khoản tiền phân bổ không thể lớn hơn số tiền chưa thanh toán. -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,duyệt BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,duyệt BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Các khoản cho vay được bảo đảm -DocType: Purchase Invoice,Edit Posting Date and Time,Sửa viết bài Date and Time +DocType: Purchase Invoice,Edit Posting Date and Time,Chỉnh sửa ngày và giờ đăng apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Hãy thiết lập tài khoản liên quan Khấu hao trong phân loại của cải {0} hoặc Công ty {1} DocType: Academic Term,Academic Year,Năm học apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Khai mạc Balance Equity @@ -3007,9 +3016,9 @@ apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +27,Authorized Signatory,Ký Ủy quyền apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leave approver must be one of {0},Để phê duyệt phải là một trong {0} 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 mua Invoice) +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 +278,Select Quantity,Chọn Số lượng +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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 @@ -3028,13 +3037,14 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either targe apps/erpnext/erpnext/config/projects.py +45,Cost of various activities,Chi phí hoạt động khác nhau apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Thiết kiện để {0}, vì các nhân viên thuộc dưới Sales Người không có một ID người dùng {1}" DocType: Timesheet,Billing Details,Chi tiết Thanh toán -apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target warehouse must be different,Nguồn và kho hàng mục tiêu phải khác +apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target warehouse must be different,Nguồn và kho đích phải khác nhau apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Không được cập nhật giao dịch tồn kho cũ hơn {0} DocType: 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/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/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 +127,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 net trọng lượng đóng gói + trọng lượng vật liệu. (Đối với in) +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ả DocType: Serial No,Is Cancelled,Được hủy bỏ @@ -3047,11 +3057,11 @@ apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +109,Do you r 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 -DocType: Hub Settings,Publish Items to Hub,Xuất bản Items để Hub +DocType: Hub Settings,Publish Items to Hub,Xuất bản mẫu hàng tới trung tâm apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Từ giá trị phải nhỏ hơn giá trị trong hàng {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Chuyển khoản apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Kiểm tra tất cả -DocType: Vehicle Log,Invoice Ref,Tham chieus hóa đơn +DocType: Vehicle Log,Invoice Ref,Tham chiếu hóa đơn DocType: Purchase Order,Recurring Order,Đặt hàng theo định kỳ DocType: Company,Default Income Account,Tài khoản thu nhập mặc định apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Nhóm khách hàng / khách hàng @@ -3066,12 +3076,13 @@ apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show 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 +214,Batches,Hàng loạt -DocType: Project,Total Costing Amount (via Time Logs),Tổng số tiền Chi phí (thông qua Time Logs) +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 DocType: Customs Tariff Number,Tariff Number,Số thuế +DocType: Production Order Item,Available Qty at WIP Warehouse,Số lượng có sẵn tại WIP Warehouse apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Dự kiến -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Không nối tiếp {0} không thuộc về kho {1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},Không nối tiếp {0} không thuộc về kho {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,Lưu ý: Hệ thống sẽ không kiểm tra phân phối quá mức và đặt trước quá mức cho mẫu {0} như số lượng hoặc số lượng là 0 DocType: Notification Control,Quotation Message,thông tin báo giá DocType: Employee Loan,Employee Loan Application,Ứng dụng lao động cho vay @@ -3081,22 +3092,22 @@ DocType: Program Enrollment,Public Transport,Phương tiện giao thông công c DocType: Journal Entry,Remark,Nhận xét DocType: Purchase Receipt Item,Rate and Amount,Đơn giá và Thành tiền apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Loại Tài khoản cho {0} phải là {1} -apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Lá và Holiday +apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Nghỉ phép và kì nghỉ DocType: School Settings,Current Academic Term,Học thuật hiện tại DocType: School Settings,Current Academic Term,Học thuật hiện tại DocType: Sales Order,Not Billed,Không lập được hóa đơn apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Cả 2 Kho hàng phải thuộc cùng một công ty apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Chưa có liên hệ nào được bổ sung. -DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Chi phí hạ cánh Voucher Số tiền +DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Lượng chứng thư chi phí hạ cánh apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Hóa đơn từ NCC DocType: POS Profile,Write Off Account,Viết Tắt tài khoản -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nợ tiền mặt amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,Nợ tiền mặt amt apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Số tiền giảm giá -DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against Mua hóa đơn +DocType: Purchase Invoice,Return Against Purchase Invoice,Trả về với hóa đơn mua hàng 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 +207,e.g. VAT,ví dụ như thuế GTGT +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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ụ @@ -3104,12 +3115,12 @@ 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 +1945,Please select customer,Vui lòng chọn của khách hàng +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,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 DocType: Sales Invoice Item,Delivered Qty,Số lượng giao -DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Nếu được chọn, tất cả các trẻ em của từng hạng mục sản xuất sẽ được bao gồm trong các yêu cầu vật liệu." +DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Nếu được kiểm tra, tất cả các mục con của từng hạng mục sản xuất sẽ được bao gồm trong các yêu cầu vật liệu." DocType: Assessment Plan,Assessment Plan,Kế hoạch đánh giá 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 @@ -3126,23 +3137,23 @@ apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Con nợ ({0}) DocType: Pricing Rule,Margin,Biên apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Khách hàng mới apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Lợi nhuận gộp% -DocType: Appraisal Goal,Weightage (%),Weightage (%) +DocType: Appraisal Goal,Weightage (%),Trọng lượng(%) DocType: Bank Reconciliation Detail,Clearance Date,Ngày chốt sổ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62,Gross Purchase Amount is mandatory,Tổng tiền mua hàng là bắt buộc DocType: Lead,Address Desc,Giải quyết quyết định apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Đối tác là bắt buộc DocType: Journal Entry,JV-,JV- DocType: Topic,Topic Name,Tên chủ đề -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Ít nhất bán hàng hoặc mua hàng phải được lựa chọn +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Ít nhất bán hàng hoặc mua hàng phải được lựa chọn apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Chọn bản chất của doanh nghiệp của bạn. apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Hàng # {0}: Mục nhập trùng lặp trong Tài liệu tham khảo {1} {2} -apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Trường hợp hoạt động sản xuất được thực hiện. +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},Row # {0}: {1} tài sản không thuộc về công ty {2} +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} 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 +50,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 +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 DocType: Account,Accumulated Depreciation,Khấu hao lũy kế DocType: Stock Entry,Customer or Supplier Details,Chi tiết khách hàng hoặc nhà cung cấp DocType: Employee Loan Application,Required by Date,Theo yêu cầu của ngày @@ -3152,7 +3163,7 @@ DocType: Employee,Marital Status,Tình trạng hôn nhân DocType: Stock Settings,Auto Material Request,Vật liệu tự động Yêu cầu DocType: Delivery Note Item,Available Batch Qty at From Warehouse,Số lượng có sẵn hàng loạt tại Từ kho DocType: Customer,CUST-,CUST- -DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Gross Pay - Tổng Trích - trả nợ +DocType: Salary Slip,Gross Pay - Total Deduction - Loan Repayment,Tổng trả- Tổng Trích - trả nợ apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +25,Current BOM and New BOM can not be same,BOM BOM hiện tại và mới không thể giống nhau apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +38,Salary Slip ID,ID Phiếu lương apps/erpnext/erpnext/hr/doctype/employee/employee.py +113,Date Of Retirement must be greater than Date of Joining,Ngày nghỉ hưu phải lớn hơn ngày gia nhập @@ -3161,8 +3172,8 @@ DocType: Sales Invoice,Against Income Account,Đối với tài khoản thu nh apps/erpnext/erpnext/controllers/website_list_for_contact.py +90,{0}% Delivered,{0}% Đã giao hàng apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +81,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Mục {0}: qty Ra lệnh {1} không thể ít hơn qty đặt hàng tối thiểu {2} (quy định tại khoản). DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Tỷ lệ phân phối hàng tháng -DocType: Territory,Territory Targets,Mục tiêu địa bàn -DocType: Delivery Note,Transporter Info,Thông tin vận chuyển +DocType: Territory,Territory Targets,Các mục tiêu tại khu vực +DocType: Delivery Note,Transporter Info,Thông tin người vận chuyển apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Hãy thiết lập mặc định {0} trong Công ty {1} DocType: Cheque Print Template,Starting position from top edge,Bắt đầu từ vị trí từ cạnh trên apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Cùng nhà cung cấp đã được nhập nhiều lần @@ -3171,10 +3182,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Mua hàng m apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Tên Công ty không thể công ty apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Tiêu đề trang cho các mẫu tài liệu in apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tiêu đề cho các mẫu in, ví dụ như hóa đơn chiếu lệ." +DocType: Program Enrollment,Walking,Đi dạo DocType: Student Guardian,Student Guardian,Người giám hộ sinh viên -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Phí kiểu định giá không thể đánh dấu là Inclusive +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Phí kiểu định giá không thể đánh dấu là toàn bộ DocType: POS Profile,Update Stock,Cập nhật hàng tồn kho -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM khác nhau cho các hạng mục sẽ dẫn đến (Tổng) giá trị Trọng lượng Tịnh không chính xác. Hãy chắc chắn rằng Trọng lượng Tịnh của mỗi hạng mục là trong cùng một UOM. apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Tỷ giá BOM DocType: Asset,Journal Entry for Scrap,BÚt toán nhật ký cho hàng phế liệu @@ -3184,13 +3195,13 @@ apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type ema DocType: Manufacturer,Manufacturers used in Items,Các nhà sản xuất sử dụng trong mục apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Please mention Round Off Cost Center in Company DocType: Purchase Invoice,Terms,Điều khoản -DocType: Academic Term,Term Name,Tên hạn +DocType: Academic Term,Term Name,Tên kỳ hạn DocType: Buying Settings,Purchase Order Required,Mua hàng yêu cầu ,Item-wise Sales History,Lịch sử bán hàng theo hàng bán DocType: Expense Claim,Total Sanctioned Amount,Tổng số tiền bị xử phạt -,Purchase Analytics,Mua Analytics +,Purchase Analytics,Phân tích mua hàng DocType: Sales Invoice Item,Delivery Note Item,Giao hàng Ghi mục -DocType: Expense Claim,Task,Nhiệm vụ Tự tắt Lựa chọn +DocType: Expense Claim,Task,Nhiệm vụ DocType: Purchase Taxes and Charges,Reference Row #,dãy tham chiếu # apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Số hiệu Lô là bắt buộc đối với mục {0} apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Đây là một người bán hàng gốc và không thể được chỉnh sửa. @@ -3209,15 +3220,15 @@ apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +51,Actual qty in DocType: Homepage,"URL for ""All Products""",URL cho "Tất cả các sản phẩm" DocType: Leave Application,Leave Balance Before Application,Trước khi rời khỏi cân ứng dụng DocType: SMS Center,Send SMS,Gửi tin nhắn SMS -DocType: Cheque Print Template,Width of amount in word,Chiều rộng của số tiền trong từ +DocType: Cheque Print Template,Width of amount in word,Bề rộng của số lượng bằng chữ 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,Tiêu chuẩn bán giá +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/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 một bài báo +apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Viết tắt DocType: Timesheet Detail,Operation ID,Tài khoản hoạt động DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Hệ thống người dùng (đăng nhập) ID. Nếu được thiết lập, nó sẽ trở thành mặc định cho tất cả các hình thức nhân sự." apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Từ {1} @@ -3228,7 +3239,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,Hiển thị phá thuế apps/erpnext/erpnext/accounts/party.py +308,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 @@ -3248,30 +3258,30 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to DocType: Company,Default Cash Account,Tài khoản mặc định tiền apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Quản trị Công ty (không phải khách hàng hoặc nhà cung cấp) 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 +176,No Students in,Không có học sinh trong +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 +108,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 +197,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 nghỉ {0} -apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN không hợp lệ hoặc Enter NA for Unregistered +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ý 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 DocType: Opportunity,Opportunity Type,Loại cơ hội apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +16,New Company,Công ty mới -apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Transactions can only be deleted by the creator of the Company,Giao dịch chỉ có thể được xóa bởi người sáng tạo của Công ty +apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Transactions can only be deleted by the creator of the Company,Giao dịch chỉ có thể được xóa bởi người sáng lập của Công ty 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.,Sai số của cácbút toán sổ cái tổng tìm thấy. Bạn có thể lựa chọn một tài khoản sai trong giao dịch. DocType: Employee,Prefered Contact Email,Email Liên hệ Đề xuất DocType: Cheque Print Template,Cheque Width,Chiều rộng Séc DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Hợp thức hóa giá bán hàng cho mẫu hàng với tỷ giá mua bán hoặc tỷ giá định giá DocType: Program,Fee Schedule,Biểu phí -DocType: Hub Settings,Publish Availability,Xuất bản sẵn có +DocType: Hub Settings,Publish Availability,Xuất bản hiệu lực DocType: Company,Create Chart Of Accounts Based On,Tạo Chart of Accounts Dựa On apps/erpnext/erpnext/hr/doctype/employee/employee.py +107,Date of Birth cannot be greater than today.,Ngày sinh thể không được lớn hơn ngày hôm nay. -,Stock Ageing,Cổ người cao tuổi -apps/erpnext/erpnext/schools/doctype/student/student.py +38,Student {0} exist against student applicant {1},Student {0} tồn tại đối với người nộp đơn sinh viên {1} +,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/crm/doctype/opportunity/opportunity_list.js +13,Set as Open,Đặt làm mở @@ -3285,21 +3295,23 @@ DocType: Sales Team,Contribution (%),Đóng góp (%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Lưu ý: Bút toán thanh toán sẽ không được tạo ra từ 'tiền mặt hoặc tài khoản ngân hàng' không được xác định apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Trách nhiệm DocType: Expense Claim Account,Expense Claim Account,Tài khoản chi phí bồi thường +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: Sales Person,Sales Person Name,Người bán hàng Tên apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vui lòng nhập ít nhất 1 hóa đơn trong bảng +apps/erpnext/erpnext/public/js/setup_wizard.js +196,Add Users,Thêm người dùng DocType: POS Item Group,Item Group,Nhóm hàng DocType: Item,Safety Stock,Hàng hóa dự trữ apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Tiến% cho một nhiệm vụ không thể có nhiều hơn 100. DocType: Stock Reconciliation Item,Before reconciliation,Trước bảng điều hòa apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Để {0} -DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Thuế và Phí bổ xung (tiền tệ công ty) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Dãy thuế mẫu hàng{0} phải có tài khoản của các loại thuế, thu nhập hoặc chi phí hoặc có thu phí" +DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Thuế và Phí bổ sung (tiền tệ công ty) +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Dãy thuế mẫu hàng{0} phải có tài khoản của các loại thuế, thu nhập hoặc chi phí hoặc có thu phí" DocType: Sales Order,Partly Billed,Được quảng cáo một phần apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Mục {0} phải là một tài sản cố định mục DocType: Item,Default BOM,BOM mặc định -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,khoản nợ tiền mặt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,khoản nợ tiền mặt apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Hãy gõ lại tên công ty để xác nhận -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Tổng số nợ Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Tổng số nợ Amt DocType: Journal Entry,Printing Settings,Cài đặt In ấn DocType: Sales Invoice,Include Payment (POS),Bao gồm thanh toán (POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Tổng Nợ phải bằng Tổng số tín dụng. Sự khác biệt là {0} @@ -3307,20 +3319,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Ô tô DocType: Vehicle,Insurance Company,Công ty bảo hiểm DocType: Asset Category Account,Fixed Asset Account,Tài khoản TSCĐ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,biến số -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Giao hàng tận nơi từ Lưu ý +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,Giao hàng tận nơi từ Lưu ý DocType: Student,Student Email Address,Địa chỉ Email Sinh viên -DocType: Timesheet Detail,From Time,Thời gian từ +DocType: Timesheet Detail,From Time,Từ thời gian apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Trong kho: DocType: Notification Control,Custom Message,Tùy chỉnh tin nhắn apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Ngân hàng đầu tư apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Tiền mặt hoặc tài khoản ngân hàng là bắt buộc đối với việc nhập cảnh thanh toán -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/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Địa chỉ của sinh viên apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Địa chỉ của sinh viên 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 +1517,Address Name,Tên địa chỉ +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,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 @@ -3337,24 +3348,24 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,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 +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/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,Hàng tháng trả nợ Số tiền không thể lớn hơn Số tiền vay +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 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 +1874,Enter value must be positive,Nhập giá trị phải được tích cực +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/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. DocType: Fiscal Year,Year Name,Tên năm DocType: Process Payroll,Process Payroll,Quá trình tính lương -apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Có ngày lễ hơn ngày làm việc trong tháng này. +apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Có nhiều ngày lễ hơn ngày làm việc trong tháng này. DocType: Product Bundle Item,Product Bundle Item,Gói sản phẩm hàng DocType: Sales Partner,Sales Partner Name,Tên đại lý -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,Yêu cầu Báo giá +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,Yêu cầu Báo giá DocType: Payment Reconciliation,Maximum Invoice Amount,Số tiền Hoá đơn tối đa DocType: Student Language,Student Language,Ngôn ngữ học apps/erpnext/erpnext/config/selling.py +23,Customers,các khách hàng @@ -3365,7 +3376,7 @@ DocType: Asset,Partially Depreciated,Nhiều khấu hao DocType: Issue,Opening Time,Thời gian mở apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"""Từ ngày đến ngày"" phải có" apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Chứng khoán và Sở Giao dịch hàng hóa -apps/erpnext/erpnext/stock/doctype/item/item.py +631,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}' +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 +847,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 @@ -3379,12 +3390,12 @@ apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +19,Cash Flow from O DocType: Sales Invoice,Shipping Rule,Quy tắc giao hàng DocType: Manufacturer,Limited to 12 characters,Hạn chế đến 12 ký tự DocType: Journal Entry,Print Heading,In tiêu đề -apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,Tổng số không có thể được không +apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,Tổng số không thể bằng 0 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 +266,Raw Material,Nguyên liệu thô +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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 @@ -3396,7 +3407,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/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 -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: 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 @@ -3404,13 +3414,13 @@ DocType: Department,Days for which Holidays are blocked for this department.,Ng apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,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 Trainer +DocType: Training Event,Trainer Name,tên người huấn luyện 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 cuối cùng -apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần cuối cùng +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 +347,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 +201,"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 +230,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/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/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 DocType: Journal Entry,Bank Entry,Bút toán NH DocType: Authorization Rule,Applicable To (Designation),Để áp dụng (Chỉ) @@ -3423,21 +3433,21 @@ DocType: Production Planning Tool,Get Material Request,Nhận Chất liệu Yêu apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Chi phí bưu điện apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Tổng số (Amt) apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Giải trí & Giải trí -DocType: Quality Inspection,Item Serial No,Mục Serial No +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 +270,Hour,Giờ +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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 lá trên Khối Ngày +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 +380,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/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,Hội đồng quản trị mới sau khi thay thế -apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Điểm bán hàng +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 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ộ @@ -3454,8 +3464,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 +270,Gram,Gram -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,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 +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/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ị. @@ -3474,21 +3484,21 @@ 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 apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Chọn tên miền của bạn apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},tham chiếu giao dịch không có {0} ngày {1} -apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Không có gì phải chỉnh sửa là. +apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Không có gì phải chỉnh sửa. apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Tóm tắt cho tháng này và các hoạt động cấp phát DocType: Customer Group,Customer Group Name,Tên Nhóm khách hàng apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Chưa có Khách! 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 +465,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 +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} 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 +834,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 +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 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 @@ -3502,7 +3512,7 @@ apps/erpnext/erpnext/controllers/trends.py +269,Project-wise data is not availab DocType: Project,Expected End Date,Ngày Dự kiến kết thúc DocType: Budget Account,Budget Amount,Số tiền ngân sách DocType: Appraisal Template,Appraisal Template Title,Thẩm định Mẫu Tiêu đề -apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Từ ngày {0} cho Employee {1} không được trước ngày gia nhập của người lao động {2} +apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Từ ngày {0} cho nhân viên {1} không được trước ngày gia nhập của nhân viên {2} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Thương mại DocType: Payment Entry,Account Paid To,Tài khoản Thụ hưởng apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Mẫu gốc {0} không thể là mẫu tồn kho @@ -3510,7 +3520,7 @@ apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tất cả DocType: Expense Claim,More Details,Xem chi tiết DocType: Supplier Quotation,Supplier Address,Địa chỉ nhà cung cấp apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Ngân sách cho tài khoản {1} đối với {2} {3} là {4}. Nó sẽ vượt qua {5} -apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Tài khoản phải được loại 'tài sản cố định " +apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',"Hàng {0} # Tài khoản phải được loại 'tài sản cố định """ apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Số lượng ra apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Quy tắc để tính toán tiền vận chuyển để bán apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series là bắt buộc @@ -3520,8 +3530,8 @@ 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 +436,Warehouse required for stock Item {0},phải có kho cho vật tư {0} -DocType: Leave Allocation,Unused leaves,Lá chưa sử dụng +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} +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 DocType: Tax Rule,Billing State,Bang thanh toán apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Truyền @@ -3532,20 +3542,20 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandato 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 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,Để hóa đơn ngày +DocType: Payment Reconciliation,To Invoice Date,Tới ngày lập hóa đơn DocType: Supplier,Contact HTML,HTML Liên hệ ,Inactive Customers,Khách hàng không được kích hoạt DocType: Landed Cost Voucher,LCV,LCV DocType: Landed Cost Voucher,Purchase Receipts,Hóa đơn mua hàng apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +29,How Pricing Rule is applied?,Làm thế nào giá Quy tắc được áp dụng? DocType: Stock Entry,Delivery Note No,Lưu ý cho việc giao hàng số -DocType: Production Planning Tool,"If checked, only Purchase material requests for final raw materials will be included in the Material Requests. Otherwise, Material Requests for parent items will be created","Nếu được chọn, chỉ yêu cầu nguyên liệu thô cho nguyên liệu cuối cùng sẽ được đưa vào các yêu cầu vật liệu. Nếu không, yêu cầu vật liệu cho các hạng mục gốc sẽ được tạo" +DocType: Production Planning Tool,"If checked, only Purchase material requests for final raw materials will be included in the Material Requests. Otherwise, Material Requests for parent items will be created","Nếu được kiểm tra, chỉ yêu cầu nguyên liệu thô cho nguyên liệu cuối cùng sẽ được đưa vào các yêu cầu vật liệu. Nếu không, yêu cầu vật liệu cho các hạng mục gốc sẽ được tạo" DocType: Cheque Print Template,Message to show,Tin nhắn để hiển thị DocType: Company,Retail,Lĩnh vực bán lẻ DocType: Attendance,Absent,Vắng mặt apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +558,Product Bundle,Sản phẩm lô -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +212,Row {0}: Invalid reference {1},Row {0}: tham chiếu không hợp lệ {1} -DocType: Purchase Taxes and Charges Template,Purchase Taxes and Charges Template,Mua Thuế và phí Template +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +212,Row {0}: Invalid reference {1},Hàng {0}: tham chiếu không hợp lệ {1} +DocType: Purchase Taxes and Charges Template,Purchase Taxes and Charges Template,Mua Thuế và mẫu phí DocType: Upload Attendance,Download Template,Tải mẫu DocType: Timesheet,TS-,TS- apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +61,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Cả khoản nợ lẫn số tín dụng đều là yêu cầu bắt buộc với {2} @@ -3558,7 +3568,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar 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 +766,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ố sản +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 apps/erpnext/erpnext/config/hr.py +177,Training,Đào tạo DocType: Timesheet,Employee Detail,Nhân viên chi tiết @@ -3568,17 +3578,17 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Cài đặt cho trang chủ của trang web 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 +214,Invalid attribute {0} {1},thuộc tính không hợp lệ {0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,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. apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Tỷ lệ định giá âm không được cho phép -DocType: Holiday List,Weekly Off,Tắt tuần +DocType: Holiday List,Weekly Off,Nghỉ hàng tuần DocType: Fiscal Year,"For e.g. 2012, 2012-13","Ví dụ như năm 2012, 2012-13" apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +96,Provisional Profit / Loss (Credit),Lợi nhuận tạm thời / lỗ (tín dụng) -DocType: Sales Invoice,Return Against Sales Invoice,Return Against Sales Invoice +DocType: Sales Invoice,Return Against Sales Invoice,Trả về với biên lai mua hàng apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +32,Item 5,Mục 5 DocType: Serial No,Creation Time,Thời gian tạo apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +62,Total Revenue,Tổng doanh thu @@ -3617,16 +3627,16 @@ DocType: Repayment Schedule,Payment Date,Ngày thanh toán apps/erpnext/erpnext/stock/doctype/batch/batch.js +102,New Batch Qty,Số lượng hàng loạt mới apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +10,Apparel & Accessories,May mặc và phụ kiện apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +67,Number of Order,Số thứ tự -DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Banner đó sẽ hiển thị trên đầu danh sách sản phẩm. +DocType: Item Group,HTML / Banner that will show on the top of product list.,HTML / Tiêu đề đó sẽ hiển thị trên đầu danh sách sản phẩm. 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 Frozen Accounts & Edit Frozen Entries +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ở 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}","Row # {0}: {1} tài sản không thể gửi, nó đã được {2}" +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}" 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}. @@ -3665,26 +3675,28 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As DocType: Appraisal,HR,nhân sự DocType: Program Enrollment,Enrollment Date,ngày đăng ký apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Quản chế -apps/erpnext/erpnext/config/hr.py +115,Salary Components,các phần lương bổng +apps/erpnext/erpnext/config/hr.py +115,Salary Components,các phần lương DocType: Program Enrollment Tool,New Academic Year,Năm học mới -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Trả về/Ghi chú tín dụng DocType: Stock Settings,Auto insert Price List rate if missing,Auto chèn tỷ Bảng giá nếu mất tích -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Tổng số tiền trả +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,Tổng số tiền trả DocType: Production Order Item,Transferred Qty,Số lượng chuyển giao apps/erpnext/erpnext/config/learn.py +11,Navigating,Thông qua apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Hoạch định DocType: Material Request,Issued,Ban hành -DocType: Project,Total Billing Amount (via Time Logs),Tổng số tiền Thanh toán (thông qua Time Logs) -apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Chúng tôi bán vật tư HH này +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/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Nhà cung cấp Id -DocType: Payment Request,Payment Gateway Details,Chi tiết Thanh Cổng +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 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 DocType: Academic Year,Academic Year Name,Tên Năm học DocType: Sales Partner,Contact Desc,Mô tả Liên hệ -apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Loại lá như bình thường, bệnh vv" +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} @@ -3704,15 +3716,15 @@ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.p apps/erpnext/erpnext/config/hr.py +110,Salary template master.,Lương mẫu chủ. DocType: Leave Type,Max Days Leave Allowed,Để lại tối đa ngày phép apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Đặt Rule thuế cho giỏ hàng -DocType: Purchase Invoice,Taxes and Charges Added,Thuế và phí bổ xung +DocType: Purchase Invoice,Taxes and Charges Added,Thuế và phí bổ sung ,Sales Funnel,Kênh bán hàng apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Tên viết tắt là bắt buộc DocType: Project,Task Progress,Tiến độ công việc apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Xe đẩy ,Qty to Transfer,Số lượng để chuyển apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Báo giá cho Leads hoặc Khách hàng. -DocType: Stock Settings,Role Allowed to edit frozen stock,Vai trò được phép chỉnh sửa cổ đông lạnh -,Territory Target Variance Item Group-Wise,Mục tiêu địa bàn của phương sai mẫu hàng trong nhóm - thông minh +DocType: Stock Settings,Role Allowed to edit frozen stock,Vai trò được phép chỉnh sửa cổ phiếu đóng băng +,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}. @@ -3724,16 +3736,16 @@ DocType: Account,Temporary,Tạm thời DocType: Program,Courses,Các khóa học DocType: Monthly Distribution Percentage,Percentage Allocation,Tỷ lệ phần trăm phân bổ 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 ""In Words "" sẽ không được hiển thị trong bất kỳ giao dịch" +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 +1186,Please set Company,Vui lòng thiết lập công ty +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,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 ,Reqd By Date,Reqd theo địa điểm apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Nợ DocType: Assessment Plan,Assessment Name,Tên Đánh giá -apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial No là bắt buộc +apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Hàng # {0}: Số sê ri là bắt buộc 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 @@ -3743,33 +3755,32 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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/schools/doctype/fees/fees.js +26,Collect Fees,thu thập Phí DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1} DocType: Lead,Add to calendar on this date,thêm ngày này vào lịch công tác apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Quy tắc để thêm chi phí vận chuyển. -DocType: Item,Opening Stock,mở Cổ phiếu +DocType: Item,Opening Stock,Cổ phiếu mở đầu apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Khách hàng phải có apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} là bắt buộc đối với việc hoàn trả DocType: Purchase Order,To Receive,Nhận +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,Email cá nhân apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Tổng số phương sai DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ tự động đăng sổ kế toán để kiểm kê hàng hóa." apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +15,Brokerage,Môi giới apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +232,Attendance for employee {0} is already marked for this day,Attendance cho nhân viên {0} đã được đánh dấu ngày này DocType: Production Order Operation,"in Minutes -Updated via 'Time Log'","trong Minutes - Cập nhật qua 'Giờ'" -DocType: Customer,From Lead,Từ Tiềm năng +Updated via 'Time Log'",trong số phút đã cập nhật thông qua 'lần đăng nhập' +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 +541,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 +542,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,Tiêu chuẩn bán hàng +apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Bán hàng tiêu chuẩn apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Ít nhất một kho là bắt buộc DocType: Serial No,Out of Warranty,Ra khỏi bảo hành DocType: BOM Replace Tool,Replace,Thay thế apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Không sản phẩm nào được tìm thấy -DocType: Production Order,Unstopped,Không thể được dừng apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} gắn với Hóa đơn bán hàng {1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,Tên dự án @@ -3779,29 +3790,30 @@ DocType: Production Order,Required Items,mục bắt buộc DocType: Stock Ledger Entry,Stock Value Difference,Giá trị cổ phiếu khác biệt 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,Tài sản thuế +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} 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 DocType: Item,Moving Average,Di chuyển trung bình -DocType: BOM Replace Tool,The BOM which will be replaced,Hội đồng quản trị sẽ được thay thế +DocType: BOM Replace Tool,The BOM which will be replaced,BOM được thay thế apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Thiết bị điện tử DocType: Account,Debit,Thẻ ghi nợ -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Lá phải được phân bổ trong bội số của 0,5" +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Các di dời phải được phân bổ trong bội số của 0,5" DocType: Production Order,Operation Cost,Chi phí hoạt động apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Tải lên tham gia từ một tập tin csv. -apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Nổi bật Amt +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,Row # {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 +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/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ệ +DocType: Currency Exchange,To Currency,Tới tiền tệ DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Cho phép người sử dụng sau phê duyệt ứng dụng Để lại cho khối ngày. apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Các loại chi phí yêu cầu bồi thường. 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,Thuế +DocType: Item,Taxes,Các loại thuế apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,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 @@ -3817,57 +3829,59 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, DocType: Item Attribute,From Range,Từ Phạm vi apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Lỗi cú pháp trong công thức hoặc điều kiện: {0} 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 +100,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 +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 +40,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 +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/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 ,Sales Order Trends,các xu hướng đặt hàng -DocType: Employee,Held On,Tổ chức Ngày +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 +209,Rate (%),Tỷ lệ (%) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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" +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',Vui lòng đặt Bộ lọc của Công ty trống nếu Nhóm theo là 'Công ty' apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Viết bài ngày không thể ngày trong tương lai -apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} không phù hợp với {2} {3} +apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Hàng # {0}: Số sê ri{1} không phù hợp với {2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Để lại bình thường DocType: Batch,Batch ID,Căn cước của lô apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Lưu ý: {0} ,Delivery Note Trends,Xu hướng lưu ý cho việc giao hàng apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Tóm tắt tuần này -apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Sản phẩm trong kho Số lượng +apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Số lượng hàng trong kho 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 -DocType: Opportunity,Opportunity Date,Cơ hội ngày -DocType: Purchase Receipt,Return Against Purchase Receipt,Return Against Mua Receipt +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 -DocType: Purchase Order,To Bill,Để Bill +DocType: Purchase Order,To Bill,Tới hóa đơn DocType: Material Request,% Ordered,% đã đặt DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Đối với Nhóm Sinh viên dựa trên Khóa học, khóa học sẽ được xác nhận cho mỗi Sinh viên từ các môn học ghi danh tham gia vào Chương trình Ghi danh." DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Nhập Địa chỉ Email cách nhau bởi dấu phẩy, hóa đơn sẽ được gửi tự động vào ngày cụ thể" apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Việc làm ăn khoán apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Giá mua bình quân DocType: Task,Actual Time (in Hours),Thời gian thực tế (tính bằng giờ) -DocType: Employee,History In Company,Trong lịch sử Công ty +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 +87,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 Block List +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 +188,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 +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 DocType: Accounts Settings,Accounts Settings,Thiết lập các Tài khoản apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Tán thành DocType: Customer,Sales Partner and Commission,Đại lý bán hàng và hoa hồng DocType: Employee Loan,Rate of Interest (%) / Year,Lãi suất thị trường (%) / năm ,Project Quantity,Dự án Số lượng -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'","Tổng số {0} cho tất cả các mặt hàng là số không, có thể bạn nên thay đổi 'Distribute Phí Dựa On'" +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'","Tổng số {0} cho tất cả các mặt hàng là số không, có thể bạn nên thay đổi 'Đóng góp cho các loại phí dựa vào '" DocType: Opportunity,To Discuss,Để thảo luận apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} đơn vị của {1} cần thiết trong {2} để hoàn thành giao dịch này. DocType: Loan Type,Rate of Interest (%) Yearly,Lãi suất thị trường (%) hàng năm @@ -3876,21 +3890,21 @@ 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 +62,{0} items produced,{0} mục được sản xuất +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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: 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 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 Chi Claim) +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},Row {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 +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} DocType: Journal Entry Account,Exchange Rate,Tỷ giá -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,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 +560,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 @@ -3899,15 +3913,15 @@ 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 DocType: Account,Asset,Tài sản -DocType: Project Task,Task ID,Nhiệm vụ ID -apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Cổ không thể tồn tại cho mục {0} vì có các biến thể +DocType: Project Task,Task ID,ID công việc +apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Hàng tồn kho không thể tồn tại cho mẫu hàng {0} vì có các biến thể ,Sales Person-wise Transaction Summary,Người khôn ngoan bán hàng Tóm tắt thông tin giao dịch DocType: Training Event,Contact Number,Số Liên hệ apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Kho {0} không tồn tại apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Đăng ký cho ERPNext Hub DocType: Monthly Distribution,Monthly Distribution Percentages,Tỷ lệ phân phối hàng tháng apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Các sản phẩm được chọn không thể có hàng loạt -apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tỷ lệ đánh giá không tìm thấy cho {0} Item, được yêu cầu để làm bút toán cho {1} {2}. Nếu mục được giao dịch như là một mục mẫu trong {1}, hãy đề cập rằng trong {1} mục bảng. Nếu không, hãy tạo ra một giao dịch chứng khoán đến cho tỷ lệ định giá mục hoặc đề cập trong hồ sơ Item, và sau đó thử submiting / hủy mục này" +apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tỷ lệ đánh giá không tìm thấy cho {0} mẫu hàng, được yêu cầu để làm bút toán cho {1} {2}. Nếu mục được giao dịch như là một mục mẫu trong {1}, hãy đề cập rằng trong {1} mục bảng. Nếu không, hãy tạo ra một giao dịch chứng khoán đến cho tỷ lệ định giá mục hoặc đề cập trong hồ sơ mẫu hàng, và sau đó thử duyệt / hủy mục này" DocType: Delivery Note,% of materials delivered against this Delivery Note,% của nguyên vật liệu đã được giao với phiếu xuất kho này. DocType: Project,Customer Details,Chi tiết khách hàng DocType: Employee,Reports to,Báo cáo @@ -3915,18 +3929,18 @@ 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 +705,Online,Trực tuyến +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,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 +960,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 DocType: Employee Loan,Repay Fixed Amount per Period,Trả cố định Số tiền cho mỗi thời kỳ apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vui lòng nhập số lượng cho hàng {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Amt ghi chú tín dụng +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,Amt ghi chú tín dụng DocType: Employee External Work History,Employee External Work History,Nhân viên làm việc ngoài Lịch sử DocType: Tax Rule,Purchase,Mua apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Đại lượng cân bằng @@ -3935,7 +3949,7 @@ DocType: Item Group,Parent Item Group,Nhóm mẫu gốc apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} cho {1} apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Bộ phận chi phí DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tỷ giá ở mức mà tiền tệ của nhà cùng cấp được chuyển đổi tới mức giá tiền tệ cơ bản của công ty -apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: xung đột Timings với hàng {1} +apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: xung đột thời gian với hàng {1} DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không DocType: Training Event Employee,Invited,mời @@ -3952,15 +3966,15 @@ 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 +2383,Select items to save the invoice,Chọn mục để lưu các hoá đơn +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 DocType: Employee,Encashment Date,Encashment Date DocType: Training Event,Internet,Internet DocType: Account,Stock Adjustment,Điều chỉnh hàng tồn kho apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},chi phí hoạt động mặc định tồn tại cho loại hoạt động - {0} DocType: Production Order,Planned Operating Cost,Chi phí điều hành kế hoạch -DocType: Academic Term,Term Start Date,Hạn Ngày bắt đầu -apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count -apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count +DocType: Academic Term,Term Start Date,Ngày bắt đầu kỳ hạn +apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Đếm ngược +apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Đếm ngược apps/erpnext/erpnext/controllers/recurring_document.py +136,Please find attached {0} #{1},{0} # Xin vui lòng tìm thấy kèm theo {1} apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Báo cáo số dư ngân hàng theo Sổ cái tổng DocType: Job Applicant,Applicant Name,Tên đơn @@ -3982,6 +3996,7 @@ DocType: Guardian,Guardian Of ,người giám hộ của DocType: Grading Scale Interval,Threshold,ngưỡng DocType: BOM Replace Tool,Current BOM,BOM hiện tại apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Thêm Serial No +DocType: Production Order Item,Available Qty at Source Warehouse,Số lượng có sẵn tại Kho nguồn apps/erpnext/erpnext/config/support.py +22,Warranty,Bảo hành DocType: Purchase Invoice,Debit Note Issued,nợ tiền mặt được công nhận DocType: Production Order,Warehouses,Kho @@ -3990,27 +4005,27 @@ apps/erpnext/erpnext/stock/doctype/item/item.js +66,This Item is a Variant of {0 DocType: Workstation,per hour,mỗi giờ apps/erpnext/erpnext/config/buying.py +7,Purchasing,Thu mua DocType: Announcement,Announcement,Thông báo -DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Đối với nhóm sinh viên theo lô, nhóm sinh viên sẽ được xác nhận cho mỗi sinh viên từ Chương trình đăng ký." +DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Đối với nhóm sinh viên theo từng đợt, nhóm sinh viên sẽ được xác nhận cho mỗi sinh viên từ Chương trình đăng ký." apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Không thể xóa kho vì có chứng từ kho phát sinh. DocType: Company,Distribution,Gửi đến: apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Số tiền trả apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Giám đốc dự án ,Quoted Item Comparison,So sánh mẫu hàng đã được báo giá apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Công văn -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,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/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 +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {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 +279,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 +879,Select Items to Manufacture,Chọn mục để Sản xuất -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"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/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" 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 DocType: Item Price,Item Price,Giá mục apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +48,Soap & Detergent,Xà phòng và chất tẩy rửa DocType: BOM,Show Items,Hiện Items -apps/erpnext/erpnext/schools/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Từ Thời gian không thể lớn hơn To Time. +apps/erpnext/erpnext/schools/doctype/course_schedule/course_schedule.py +30,From Time cannot be greater than To Time.,Từ Thời gian không thể lớn hơn Tới thời gian apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +36,Motion Picture & Video,Điện ảnh & Video apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +5,Ordered,Ra lệnh DocType: Salary Detail,Component,Hợp phần @@ -4019,7 +4034,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +72,Opening Accumulated Dep DocType: Warehouse,Warehouse Name,Tên kho DocType: Naming Series,Select Transaction,Chọn giao dịch apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30,Please enter Approving Role or Approving User,Vui lòng nhập Phê duyệt hoặc phê duyệt Vai trò tài -DocType: Journal Entry,Write Off Entry,Viết Tắt nhập +DocType: Journal Entry,Write Off Entry,Viết Tắt bút toán DocType: BOM,Rate Of Materials Based On,Tỷ giá vật liệu dựa trên 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ả @@ -4027,28 +4042,28 @@ DocType: POS Profile,Terms and Conditions,Các Điều khoản/Điều kiện 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 +200,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 +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 DocType: Employee Loan,Disbursement Date,ngày giải ngân -DocType: Vehicle,Vehicle,xe cộ +DocType: Vehicle,Vehicle,phương tiện DocType: Purchase Invoice,In Words,Trong từ DocType: POS Profile,Item Groups,Nhóm hàng -apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,Hôm nay là {0} 's sinh nhật! +apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,Hôm nay là sinh nhật của {0}! DocType: Production Planning Tool,Material Request For Warehouse,Yêu cầu nguyên liệu Đối với Kho DocType: Sales Order Item,For Production,Cho sản xuất -DocType: Payment Request,payment_url,payment_url +DocType: Payment Request,payment_url,thanh toán_url DocType: Project Task,View Task,Xem Nhiệm vụ -apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp/Lead% -apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp/Lead% +apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Ngược/Lead% +apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Ngược/Lead% DocType: Material Request,MREQ-,MREQ- ,Asset Depreciations and Balances,Khấu hao và dư tài sản apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Số tiền {0} {1} chuyển từ {2} để {3} DocType: Sales Invoice,Get Advances Received,Được nhận trước DocType: Email Digest,Add/Remove Recipients,Thêm/Xóa người nhận -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Giao dịch không được phép chống lại dừng lại tự sản xuất {0} -apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Thiết lập năm tài chính này như mặc định, nhấp vào 'Set as Default'" +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Giao dịch không được phép với Các đơn đặt hàng sản phẩm đã bị dừng lại {0} +apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Thiết lập năm tài chính này như mặc định, nhấp vào 'Đặt như mặc định'" apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Tham gia apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Lượng thiếu hụt -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính DocType: Employee Loan,Repay from Salary,Trả nợ từ lương DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Yêu cầu thanh toán đối với {0} {1} cho số tiền {2} @@ -4066,18 +4081,18 @@ 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 +1011,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 +944,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 +213,Serial No {0} has already been received,Không nối tiếp {0} đã được nhậ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 ,Requested Items To Be Transferred,Mục yêu cầu được chuyển giao -DocType: Expense Claim,Vehicle Log,xe Log +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 +1312,Delete permanently?,Xóa vĩnh viễn? -DocType: Expense Claim,Total Claimed Amount,Tổng số tiền tuyên bố chủ quyền +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},Không hợp lệ {0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Không hợp lệ {0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,nghỉ bệnh DocType: Email Digest,Email Digest,Email thông báo DocType: Delivery Note,Billing Address Name,Tên địa chỉ thanh toán @@ -4090,6 +4105,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f 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í +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 DocType: Item,Max Discount (%),Giảm giá tối đa (%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,SỐ lượng đặt cuối cùng DocType: Task,Is Milestone,Là cột mốc @@ -4113,8 +4129,8 @@ DocType: Program Enrollment Tool,New Program,Chương trình mới DocType: Item Attribute Value,Attribute Value,Attribute Value ,Itemwise Recommended Reorder Level,Mẫu hàng thông minh được gợi ý sắp xếp lại theo cấp độ DocType: Salary Detail,Salary Detail,Chi tiết lương -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vui lòng chọn {0} đầu tiên -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lô {0} của mục {1} đã hết hạn. +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,Vui lòng chọn {0} đầu tiên +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,Lô {0} của mục {1} đã hết hạn. DocType: Sales Invoice,Commission,Hoa hồng bán hàng apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,thời gian biểu cho sản xuất. apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal @@ -4123,7 +4139,7 @@ apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +116,This Month's Summary,Tóm tắt của tháng này DocType: Quality Inspection Reading,Quality Inspection Reading,Đọc kiểm tra chất lượng apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'đóng băng hàng tồn kho cũ hơn' nên nhỏ hơn %d ngày -DocType: Tax Rule,Purchase Tax Template,Mua Template Thuế +DocType: Tax Rule,Purchase Tax Template,Mua mẫu thuế ,Project wise Stock Tracking,Theo dõi biến động vật tư theo dự án DocType: GST HSN Code,Regional,thuộc vùng DocType: Stock Entry Detail,Actual Qty (at source/target),Số lượng thực tế (at source/target) @@ -4134,17 +4150,17 @@ DocType: HR Settings,Payroll Settings,Thiết lập bảng lương apps/erpnext/erpnext/config/accounts.py +148,Match non-linked Invoices and Payments.,Phù hợp với hoá đơn không liên kết và Thanh toán. apps/erpnext/erpnext/templates/pages/cart.html +16,Place Order,Đặt hàng DocType: Email Digest,New Purchase Orders,Đơn đặt hàng mua mới -apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Tại Gốc không thể có bộ phận chi phí cấp trên +apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Gốc không thể có trung tâm chi phí tổng apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Chọn thương hiệu ... 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 +399,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 +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/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 +387,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 +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/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 @@ -4174,13 +4190,13 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,Xử ngày DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email sẽ được gửi đến tất cả các nhân viên tích cực của công ty tại các giờ nhất định, nếu họ không có ngày nghỉ. Tóm tắt phản hồi sẽ được gửi vào lúc nửa đêm." DocType: Employee Leave Approver,Employee Leave Approver,Nhân viên Để lại phê duyệt -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},Dãy {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Không thể khai báo mất, bởi vì báo giá đã được thực hiện." 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/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 nay không có thể trước khi từ ngày +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 apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Thêm / Sửa giá DocType: Batch,Parent Batch,Nhóm gốc @@ -4208,7 +4224,8 @@ DocType: Announcement,Student,Sinh viên apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,Đơn vị tổ chức (bộ phận) làm chủ. apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Vui lòng nhập nos điện thoại di động hợp lệ apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vui lòng nhập tin nhắn trước khi gửi -DocType: Email Digest,Pending Quotations,Trong khi chờ Báo giá +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,NGƯỜI CUNG CẤP +DocType: Email Digest,Pending Quotations,Báo giá cấp phát apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale hồ sơ apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Xin vui lòng cập nhật cài đặt tin nhắn SMS apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Các khoản cho vay không có bảo đảm @@ -4216,7 +4233,7 @@ DocType: Cost Center,Cost Center Name,Tên bộ phận chi phí DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,Tối đa giờ làm việc với Thời khóa biểu DocType: Maintenance Schedule Detail,Scheduled Date,Dự kiến ngày -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Tổng Paid Amt +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,Tổng Amt được trả DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Thư lớn hơn 160 ký tự sẽ được chia thành nhiều tin nhắn DocType: Purchase Receipt Item,Received and Accepted,Nhận được và chấp nhận ,GST Itemised Sales Register,Đăng ký mua bán GST chi tiết @@ -4226,19 +4243,19 @@ 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 +237,Your Suppliers,Các nhà cung cấp của bạn +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,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' apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Nhận được từ DocType: Lead,Converted,Chuyển đổi -DocType: Item,Has Serial No,Có Serial No +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 +157,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.,Row {0}: Giờ giá trị phải lớn hơn không. -apps/erpnext/erpnext/stock/doctype/item/item.py +174,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 +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/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. @@ -4246,14 +4263,14 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please 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/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ừ Invoice ngày +DocType: Payment Reconciliation,From Invoice Date,Từ ngày lập danh đơn apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,tiền tệ thanh toán phải bằng tiền tệ của cả tiền tệ mặc định của công ty cũng như của tài khoản đối tác apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Nhận chi phiếu -apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Nó làm gì? +apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Làm gì ? apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,đến kho apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tất cả Tuyển sinh Sinh viên ,Average Commission Rate,Ủy ban trung bình Tỷ giá -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Có chuỗi số' không thể là 'Có' cho vật liệu không lưu kho +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,'Có chuỗi số' không thể là 'Có' cho vật liệu không lưu kho apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Không thể Chấm công cho những ngày tương lai DocType: Pricing Rule,Pricing Rule Help,Quy tắc định giá giúp DocType: School House,House Name,Tên nhà @@ -4264,14 +4281,14 @@ apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organizati DocType: Stock Entry,Total Value Difference (Out - In),Tổng giá trị khác biệt (ra - vào) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Hàng {0}: Tỷ giá là bắt buộc apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID người dùng không thiết lập cho nhân viên {0} -DocType: Vehicle,Vehicle Value,Giá trị xe +DocType: Vehicle,Vehicle Value,Giá trị phương tiện 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 +339,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 +340,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 Block List Tên +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 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,Tài sản hàng tồn kho DocType: Timesheet,Production Detail,Chi tiết sản phẩm @@ -4284,20 +4301,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Phiếu lương của nhân viên {0} đã được tạo ra cho bảng thời gian {1} 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 +683,Item {0} is disabled,Mục {0} bị vô hiệu hóa -DocType: Stock Settings,Stock Frozen Upto,"Cổ đông lạnh HCM," +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 +874,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 Để ngày bắt buộc cho kỳ {0} +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 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Tạo ra bảng lương -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","QUá trình mua bán phải được đánh dấu, nếu ""Được áp dụng cho"" được lựa chọn là {0}" +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","QUá trình mua bán phải được đánh dấu, nếu ""Được áp dụng cho"" được lựa chọn là {0}" apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Giảm giá phải được ít hơn 100 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 (Công ty tiền tệ) +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 +500,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 +492,Row #{0}: Please set reorder quantity,Hàng # {0}: Hãy thiết lập số lượng đặt hàng +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/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 DocType: Landed Cost Voucher,Landed Cost Voucher,Chứng Thư Chi phí hạ cánh @@ -4314,7 +4331,7 @@ DocType: Employee External Work History,Salary,Lương DocType: Serial No,Delivery Document Type,Loại tài liệu giao hàng DocType: Process Payroll,Submit all salary slips for the above selected criteria,Gửi tất cả các phiếu lương cho các tiêu chí lựa chọn ở trên apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +93,{0} Items synced,{0} các mục đã được đồng bộ hóa -DocType: Sales Order,Partly Delivered,Một phần Giao +DocType: Sales Order,Partly Delivered,Một phần được Giao DocType: Email Digest,Receivables,Các khoản phải thu DocType: Lead Source,Lead Source,NguồnLead DocType: Customer,Additional information regarding the customer.,Bổ sung thông tin liên quan đến khách hàng. @@ -4322,14 +4339,14 @@ DocType: Quality Inspection Reading,Reading 5,Đọc 5 DocType: Maintenance Visit,Maintenance Date,Bảo trì ngày DocType: Purchase Invoice Item,Rejected Serial No,Dãy sê ri bị từ chối số apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +82,Year start date or end date is overlapping with {0}. To avoid please set company,Ngày bắt đầu và kết thúc năm bị chồng lấn với {0}. Để tránh nó hãy thiết lập công ty. -apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +156,Start date should be less than end date for Item {0},Ngày bắt đầu phải nhỏ hơn ngày kết thúc cho hàng {0} +apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +156,Start date should be less than end date for Item {0},Ngày bắt đầu phải nhỏ hơn ngày kết thúc cho mẫu hàng {0} DocType: 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.","Ví dụ:. ABCD ##### Nếu series được thiết lập và Serial No không được đề cập trong các giao dịch, số serial sau đó tự động sẽ được tạo ra dựa trên series này. Nếu bạn luôn muốn đề cập đến một cách rõ ràng nối tiếp Nos cho mặt hàng này. để trống này." DocType: Upload Attendance,Upload Attendance,Tải lên bảo quản apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM và số lượng sx được yêu cầu apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing đun 2 -DocType: SG Creation Tool Course,Max Strength,Max Strength +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ế ,Sales Analytics,Bán hàng Analytics apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},Sẵn {0} @@ -4352,7 +4369,7 @@ DocType: BOM,Thumbnail,Hình đại diện DocType: Item Customer Detail,Item Customer Detail,Mục chi tiết khách hàng apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Yêu cầu ứng cử viên một công việc. DocType: Notification Control,Prompt for Email on Submission of,Nhắc nhở cho Email trên thông tin của -apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,Tổng số lá được giao rất nhiều so với những ngày trong kỳ +apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,Tổng số di dời được giao rất nhiều so với những ngày trong kỳ DocType: Pricing Rule,Percentage,tỷ lệ phần trăm apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Mục {0} phải là một hàng tồn kho DocType: Manufacturing Settings,Default Work In Progress Warehouse,Kho SP dở dang mặc định @@ -4361,7 +4378,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Ngày Dự kiến không thể trước ngày yêu cầu vật tư DocType: Purchase Invoice Item,Stock Qty,Số lượng cổ phiếu DocType: Purchase Invoice Item,Stock Qty,Số lượng cổ phiếu -DocType: Production Order,Source Warehouse (for reserving Items),Nguồn kho bãi (cho mẫu hàng đảo ngược) DocType: Employee Loan,Repayment Period in Months,Thời gian trả nợ trong tháng apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Lỗi: Không phải là một id hợp lệ? DocType: Naming Series,Update Series Number,Cập nhật số sê ri @@ -4371,20 +4387,20 @@ DocType: Sales Order,Printing Details,Các chi tiết in ấn DocType: Task,Closing Date,Ngày Đóng cửa DocType: Sales Order Item,Produced Quantity,Số lượng sản xuất apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Kỹ sư -DocType: Journal Entry,Total Amount Currency,Tổng số ngoại tệ tiền +DocType: Journal Entry,Total Amount Currency,Tổng tiền apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Assemblies Tìm kiếm Sub apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0} DocType: Sales Partner,Partner Type,Loại đối tác DocType: Purchase Taxes and Charges,Actual,Dựa trên tiền thực tế DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông minh -apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,thời gian biểu cho các nhiệm vụ +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 +270,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) -apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,Bây giờ xem +apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,Xem ngay bây giờ DocType: Purchase Invoice,Select the period when the invoice will be generated automatically,Chọn khoảng thời gian khi hóa đơn sẽ được tạo tự động DocType: BOM,Raw Material Cost,Chi phí nguyên liệu thô DocType: Item Reorder,Re-Order Level,mức đặt mua lại @@ -4402,25 +4418,25 @@ DocType: Issue,First Responded On,Đã trả lời đầu tiên On DocType: Website Item Group,Cross Listing of Item in multiple groups,Hội Chữ thập Danh bạ nhà hàng ở nhiều nhóm apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +90,Fiscal Year Start Date and Fiscal Year End Date are already set in Fiscal Year {0},Ngày bắt đầu năm tài chính và ngày kết thúc năm tài chính đã được thiết lập trong năm tài chính {0} apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +97,Clearance Date updated,Clearance Ngày cập nhật -apps/erpnext/erpnext/stock/doctype/batch/batch.js +126,Split Batch,Phân chia -apps/erpnext/erpnext/stock/doctype/batch/batch.js +126,Split Batch,Phân chia +apps/erpnext/erpnext/stock/doctype/batch/batch.js +126,Split Batch,Phân chia lô hàng +apps/erpnext/erpnext/stock/doctype/batch/batch.js +126,Split Batch,Phân chia lô hàng apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +131,Successfully Reconciled,Hòa giải thành công DocType: Request for Quotation Supplier,Download PDF,Tải về PDF DocType: Production Order,Planned End Date,Ngày kết thúc kế hoạch apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Nơi các mặt hàng được lưu trữ. DocType: Request for Quotation,Supplier Detail,Nhà cung cấp chi tiết apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Lỗi trong công thức hoặc điều kiện: {0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Số tiền ghi trên hoá đơn +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,Số tiền ghi trên hoá đơn DocType: Attendance,Attendance,Tham gia -apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,Items chứng khoán +apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,các mẫu hàng tồn kho DocType: BOM,Materials,Nguyên liệu DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nếu không kiểm tra, danh sách sẽ phải được thêm vào mỗi Bộ, nơi nó đã được áp dụng." -apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Source và Target kho không được giống nhau +apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Nguồn và kho đích không được giống nhau apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,bản thiết lập mẫu đối với thuế cho giao dịch mua hàng ,Item Prices,Giá mục DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Trong từ sẽ được hiển thị khi bạn lưu các Yêu cầu Mua hàng. -DocType: Period Closing Voucher,Period Closing Voucher,Voucher thời gian đóng cửa +DocType: Period Closing Voucher,Period Closing Voucher,Chứng từ kết thúc kỳ hạn apps/erpnext/erpnext/config/selling.py +67,Price List master.,Danh sách giá tổng thể. DocType: Task,Review Date,Ngày đánh giá DocType: Purchase Invoice,Advance Payments,Thanh toán trước @@ -4430,7 +4446,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target wareho apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Những Địa chỉ Email thông báo' không được xác định cho định kỳ %s apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Tiền tệ không thể thay đổi sau khi thực hiện các mục sử dụng một số loại tiền tệ khác DocType: Vehicle Service,Clutch Plate,Clutch tấm -DocType: Company,Round Off Account,Vòng Tắt tài khoản +DocType: Company,Round Off Account,tài khoản làm tròn số apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Chi phí hành chính apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Tư vấn DocType: Customer Group,Parent Customer Group,Nhóm mẹ của nhóm khách hàng @@ -4451,10 +4467,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,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 +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 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 +650,Please specify Attribute Value for attribute {0},Hãy xác định thuộc tính Giá trị thuộc tính {0} +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} DocType: Item,Default Warehouse,Kho mặc định apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Ngân sách không thể được chỉ định đối với tài khoản Nhóm {0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vui lòng nhập trung tâm chi phí gốc @@ -4462,13 +4478,13 @@ DocType: Delivery Note,Print Without Amount,In không có số lượng apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Khấu hao ngày DocType: Issue,Support Team,Hỗ trợ trong team apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Hạn sử dụng (theo ngày) -DocType: Appraisal,Total Score (Out of 5),Tổng số điểm (Out of 5) +DocType: Appraisal,Total Score (Out of 5),Tổng số điểm ( trong số 5) DocType: Fee Structure,FS.,FS. DocType: Student Attendance Tool,Batch,Lô hàng apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Số dư DocType: Room,Seating Capacity,Dung ngồi DocType: Issue,ISS-,ISS- -DocType: Project,Total Expense Claim (via Expense Claims),Tổng số yêu cầu bồi thường chi phí (thông qua Tuyên bố Expense) +DocType: Project,Total Expense Claim (via Expense Claims),Tổng số yêu cầu bồi thường chi phí (thông qua yêu cầu bồi thường chi phí) DocType: GST Settings,GST Summary,Tóm tắt GST DocType: Assessment Result,Total Score,Tổng điểm DocType: Journal Entry,Debit Note,nợ tiền mặt @@ -4490,7 +4506,7 @@ apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions b apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Danh sách nhóm số DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn thực hiện nhóm sinh viên mỗi năm DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn thực hiện nhóm sinh viên mỗi năm -DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nếu được chọn, Tổng số. của ngày làm việc sẽ bao gồm các ngày lễ, và điều này sẽ làm giảm giá trị của Lương trung bình mỗi ngày" +DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nếu được kiểm tra, Tổng số. của ngày làm việc sẽ bao gồm các ngày lễ, và điều này sẽ làm giảm giá trị của Lương trung bình mỗi ngày" DocType: Purchase Invoice,Total Advance,Tổng số trước 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.,Những ngày cuối kỳ không thể sớm hơn so với ngày bắt đầu kỳ. Xin vui lòng sửa ngày và thử lại. apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Báo giá @@ -4503,10 +4519,10 @@ DocType: GL Entry,Credit Amount,Số tiền tín dụng DocType: Cheque Print Template,Signatory Position,chức vụ người ký apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +175,Set as Lost,Thiết lập như Lost DocType: Timesheet,Total Billable Hours,Tổng số giờ được Lập hoá đơn -apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Thanh toán Phiếu tiếp nhận -apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Điều này được dựa trên các giao dịch với khách hàng này. Xem thời gian dưới đây để biết chi tiết +apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Phiếu tiếp nhận thanh toán +apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Điều này được dựa trên các giao dịch với khách hàng này. Xem dòng thời gian dưới đây để biết chi tiết DocType: Supplier,Credit Days Based On,Days Credit Dựa Trên -apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng số tiền thanh toán nhập {2} +apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Dãy {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng số tiền thanh toán nhập {2} ,Course wise Assessment Report,Báo cáo đánh giá khôn ngoan DocType: Tax Rule,Tax Rule,Luật thuế DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Duy trì cùng tỷ giá Trong suốt chu kỳ kinh doanh @@ -4516,7 +4532,7 @@ 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 +1344,Select or add new customer,Chọn hoặc thêm khách hàng mới +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/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 @@ -4524,9 +4540,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit 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/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/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 +231,{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 ứng dụng Để lại vào những ngày sau. +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 @@ -4539,14 +4556,14 @@ apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} kh apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Chọn Batch Numbers apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Hóa đơn đã đưa khách hàng apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id dự án -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 Không {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} +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 +270,Available,Khả dụng DocType: Quality Inspection Reading,Reading 3,Đọc 3 -,Hub,Hub +,Hub,Trung tâm DocType: GL Entry,Voucher Type,Loại chứng từ -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,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 +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 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' @@ -4563,36 +4580,36 @@ apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Sổ nh DocType: Delivery Note Item,Available Qty at From Warehouse,Số lượng có sẵn tại Từ kho apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Vui lòng chọn nhân viên ghi đầu tiên. DocType: POS Profile,Account for Change Amount,Tài khoản giao dịch số Tiền -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Đảng / tài khoản không khớp với {1} / {2} trong {3} {4} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Hàng {0}: Đối tác / tài khoản không khớp với {1} / {2} trong {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vui lòng nhập tài khoản chi phí DocType: Account,Stock,Kho -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase 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 mua hàng đặt hàng, mua hóa đơn hoặc Journal nhập" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase 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 mua hàng đặt hàng, mua hóa đơn hoặc bút toán nhật ký" DocType: Employee,Current Address,Địa chỉ hiện tại DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Nếu tài liệu là một biến thể của một item sau đó mô tả, hình ảnh, giá cả, thuế vv sẽ được thiết lập từ các mẫu trừ khi được quy định một cách rõ ràng" DocType: Serial No,Purchase / Manufacture Details,Thông tin chi tiết mua / Sản xuất DocType: Assessment Group,Assessment Group,Nhóm đánh giá apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,Kho hàng theo lô DocType: Employee,Contract End Date,Ngày kết thúc hợp đồng -DocType: Sales Order,Track this Sales Order against any Project,Theo dõi đơn hàng bán hàng này chống lại bất kỳ dự án +DocType: Sales Order,Track this Sales Order against any Project,Theo dõi đơn hàng bán hàng này với bất kỳ dự án nào DocType: Sales Invoice Item,Discount and Margin,Chiết khấu và lợi nhuận biên DocType: Production Planning Tool,Pull sales orders (pending to deliver) based on the above criteria,Kéo đơn bán hàng (đang chờ để cung cấp) dựa trên các tiêu chí trên DocType: Pricing Rule,Min Qty,Số lượng Tối thiểu DocType: Asset Movement,Transaction Date,Giao dịch ngày DocType: Production Plan Item,Planned Qty,Số lượng dự kiến apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Tổng số thuế -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (Sản xuất Qty) là bắt buộc +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (số lượng sản xuất) là bắt buộc DocType: Stock Entry,Default Target Warehouse,Mặc định mục tiêu kho DocType: Purchase Invoice,Net Total (Company Currency),Tổng thuần (tiền tệ công ty) -apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Những ngày cuối năm không thể sớm hơn Ngày Năm Start. Xin vui lòng sửa ngày và thử lại. -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,Row {0}: Đảng Type và Đảng là chỉ áp dụng đối với thu / tài khoản phải trả +apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Ngày kết thúc của năm không thể sớm hơn ngày bắt đầu năm. Xin vui lòng sửa ngày và thử lại. +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,Hàng {0}: Loại đối tác và đối tác là chỉ áp dụng đối với tài khoản phải thu/phải trả DocType: Notification Control,Purchase Receipt Message,Thông báo mua hóa đơn DocType: BOM,Scrap Items,phế liệu mục DocType: Production Order,Actual Start Date,Ngày bắt đầu thực tế DocType: Sales Order,% of materials delivered against this Sales Order,% của nguyên vật liệu đã được giao gắn với đơn đặt hàng này apps/erpnext/erpnext/config/stock.py +12,Record item movement.,Biến động bản ghi mẫu hàng DocType: Training Event Employee,Withdrawn,rút -DocType: Hub Settings,Hub Settings,Thiết lập Hub -DocType: Project,Gross Margin %,Lợi nhuận gộp% +DocType: Hub Settings,Hub Settings,Thiết lập trung tâm +DocType: Project,Gross Margin %,Tổng lợi nhuận % DocType: BOM,With Operations,Với hoạt động apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Ghi sổ kế toán đã được thực hiện bằng loại tiền tệ {0} cho công ty {1}. Hãy lựa chọn một tài khoản phải thu hoặc phải trả với loại tiền tệ{0}. DocType: Asset,Is Existing Asset,Là hiện tại tài sản @@ -4605,19 +4622,21 @@ DocType: Student,Home Address,Địa chỉ nhà apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,chuyển nhượng tài sản DocType: POS Profile,POS Profile,hồ sơ POS DocType: Training Event,Event Name,Tên tổ chức sự kiện -apps/erpnext/erpnext/config/schools.py +39,Admission,Nhận vào +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,Nhận vào apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Tuyển sinh cho {0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv" apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Mục {0} là một mẫu, xin vui lòng chọn một trong các biến thể của nó" DocType: Asset,Asset Category,Loại tài khoản tài sản +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,Người mua apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,TIền thực trả không thể âm -DocType: SMS Settings,Static Parameters,Các thông số tĩnh +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,Mục thuế +DocType: Item,Item Tax,Thuế mẫu hàng apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Nguyên liệu tới nhà cung cấp apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,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,Treshold {0}% xuất hiện nhiều lần +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 +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: Expense Claim,Employees Email Id,Nhân viên Email Id DocType: Employee Attendance Tool,Marked Attendance,Đánh dấu có mặt apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Nợ ngắn hạn @@ -4635,20 +4654,20 @@ DocType: Employee Education,Major/Optional Subjects,Chính / Đối tượng b DocType: Sales Invoice Item,Drop Ship,Thả tàu DocType: Training Event,Attendees,Những người tham dự DocType: Employee,"Here you can maintain family details like name and occupation of parent, spouse and children","Ở đây bạn có thể duy trì chi tiết gia đình như tên và nghề nghiệp của cha mẹ, vợ, chồng và con cái" -DocType: Academic Term,Term End Date,Hạn cuối ngày +DocType: Academic Term,Term End Date,Ngày kết thúc kỳ hạn DocType: Hub Settings,Seller Name,Tên người bán DocType: Purchase Invoice,Taxes and Charges Deducted (Company Currency),Thuế và Phí được khấu trừ (Theo tiền tệ Cty) DocType: Item Group,General Settings,Thiết lập chung apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,Từ tiền tệ và ngoại tệ để không thể giống nhau DocType: Stock Entry,Repack,Repack -apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Bạn phải lưu form trước khi tiếp tục +apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Bạn phải lưu mẫu trước khi tiếp tục DocType: Item Attribute,Numeric Values,Giá trị Số apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo đính kèm apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Mức cổ phiếu DocType: Customer,Commission Rate,Tỷ lệ hoa hồng apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Tạo khác biệt apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block leave applications by department. -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Loại thanh toán phải là một trong những nhận, phải trả tiền và chuyển giao nội bộ" +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Loại thanh toán phải là một trong nhận, trả và chuyển giao nội bộ" apps/erpnext/erpnext/config/selling.py +179,Analytics,phân tích apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,Giỏ hàng rỗng DocType: Vehicle,Model,Mô hình @@ -4667,10 +4686,10 @@ DocType: Company,Existing Company,Công ty hiện có apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Phân loại thuế được chuyển thành ""Tổng"" bởi tất cả các mẫu hàng đều là mẫu không nhập kho" apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vui lòng chọn một tập tin csv DocType: Student Leave Application,Mark as Present,Đánh dấu như hiện tại -DocType: Purchase Order,To Receive and Bill,Nhận và Bill +DocType: Purchase Order,To Receive and Bill,Nhận và thanh toán apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Các sản phẩm apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Nhà thiết kế -apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Điều khoản và Điều kiện Template +apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Điều khoản và Điều kiện mẫu DocType: Serial No,Delivery Details,Chi tiết giao hàng apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Phải có Chi phí bộ phận ở hàng {0} trong bảng Thuế cho loại {1} DocType: Program,Program Code,Mã chương trình @@ -4689,20 +4708,21 @@ DocType: Leave Type,Is Carry Forward,Được truyền thẳng về phía trư apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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 -,Stock Summary,Tóm tắt chứng khoán +,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 apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Hóa đơn vật liệu -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Đảng Type và Đảng là cần thiết cho thu / tài khoản phải trả {1} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Hàng {0}: Loại đối tác và Đối tác là cần thiết cho tài khoản phải thu/phải trả {1} apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Kỳ hạn tham khảo DocType: Employee,Reason for Leaving,Lý do Rời đi DocType: BOM Operation,Operating Cost(Company Currency),Chi phí điều hành (Công ty ngoại tệ) DocType: Employee Loan Application,Rate of Interest,lãi suất thị trường DocType: Expense Claim Detail,Sanctioned Amount,Số tiền xử phạt DocType: GL Entry,Is Opening,Được mở cửa -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: Nợ mục không thể được liên kết với một {1} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Hàng {0}: Nợ mục không thể được liên kết với một {1} apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Tài khoản {0} không tồn tại DocType: Account,Cash,Tiền mặt DocType: Employee,Short biography for website and other publications.,Tiểu sử ngắn cho trang web và các ấn phẩm khác. diff --git a/erpnext/translations/zh-TW.csv b/erpnext/translations/zh-TW.csv index cc376d5e41..271b6533b6 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生產訂單無法取消,首先Unstop它取消 +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/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}需填入貨幣種類 @@ -64,7 +64,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1} +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 +808,Invoice,發票 DocType: Maintenance Schedule Item,Periodicity,週期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,會計年度{0}是必需的 @@ -78,7 +78,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,在製品 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,請選擇日期 DocType: Employee,Holiday List,假日列表 -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,會計人員 +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,會計人員 DocType: Cost Center,Stock User,庫存用戶 DocType: Company,Phone No,電話號碼 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,課程表創建: @@ -97,7 +97,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 +269,Kg,公斤 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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 +105,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 +42,Not permitted for {0},不允許{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,取得項目來源 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +116,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 +1673,Not items found,未找到項目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,信用 @@ -126,9 +126,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,庫存報告 DocType: Warehouse,Warehouse Detail,倉庫的詳細資訊 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},信用額度已經越過了客戶{0} {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",“是固定的資產”不能選中,作為資產記錄存在對項目 +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/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,一個客戶存在具有相同名稱 @@ -144,7 +145,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},從{0} {1} DocType: Item,Copy From Item Group,從項目群組複製 DocType: Journal Entry,Opening Entry,開放報名 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客戶>客戶群>地區 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,賬戶只需支付 DocType: Employee Loan,Repay Over Number of Periods,償還期的超過數 DocType: Stock Entry,Additional Costs,額外費用 @@ -162,7 +162,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,房地產 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,帳戶狀態 +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,製藥 DocType: Purchase Invoice Item,Is Fixed Asset,是固定的資產 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",可用數量是{0},則需要{1} @@ -191,13 +191,13 @@ 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 +143,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,例如:基礎數學 +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/config/hr.py +214,Settings for HR Module,設定人力資源模塊 DocType: Sales Invoice,Change Amount,漲跌額 @@ -243,7 +243,7 @@ DocType: Employee,Create User,創建用戶 DocType: Selling Settings,Default Territory,預設地域 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,電視 DocType: Production Order Operation,Updated via 'Time Log',經由“時間日誌”更新 -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1} DocType: Naming Series,Series List for this Transaction,本交易系列表 DocType: Company,Enable Perpetual Inventory,啟用永久庫存 DocType: Company,Default Payroll Payable Account,默認情況下,應付職工薪酬帳戶 @@ -251,20 +251,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 +177,For Warehouse is required before Submit,對於倉庫之前,需要提交 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +2256,"LocalStorage is full , did not save",localStorage的滿了,沒救 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,聯絡人姓名 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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客戶群 @@ -276,19 +276,19 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期 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 +189,Warehouse {0} does not belong to company {1},倉庫{0}不屬於公司{1} +apps/erpnext/erpnext/stock/utils.py +212,Warehouse {0} does not belong to company {1},倉庫{0}不屬於公司{1} DocType: Email Digest,Profit & Loss,利潤損失 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,禁假的 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,銀行條目 DocType: Stock Reconciliation Item,Stock Reconciliation Item,庫存調整項目 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 +316,People who teach at your organisation,誰在您的組織教人 +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,最低起訂量 @@ -299,7 +299,7 @@ DocType: POS Profile,Allow user to edit Rate,允許用戶編輯率 DocType: Item,Publish in Hub,在發布中心 DocType: Student Admission,Student Admission,學生入學 ,Terretory,Terretory -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,項{0}將被取消 +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,項{0}將被取消 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,物料需求 DocType: Bank Reconciliation,Update Clearance Date,更新日期間隙 DocType: Item,Purchase Details,採購詳情 @@ -337,7 +337,7 @@ DocType: Vehicle,Fleet Manager,車隊經理 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造” +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,循環引用錯誤 @@ -354,7 +354,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,付款項被修改,你把它之後。請重新拉。 -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0}輸入兩次項目稅 +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0}輸入兩次項目稅 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,本週和待活動總結 DocType: Student Applicant,Admitted,錄取 apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +81,Amount After Depreciation,折舊金額後 @@ -387,7 +387,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,% 已收 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,創建挺起胸 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,安裝已經完成! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,信用額度 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,信用額度 DocType: Delivery Note,Instructions,說明 DocType: Quality Inspection,Inspected By,視察 DocType: Maintenance Visit,Maintenance Type,維護類型 @@ -413,8 +413,9 @@ 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 +1456,Create a new Customer,創建一個新的客戶 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,創建採購訂單 ,Purchase Register,購買註冊 DocType: Landed Cost Item,Applicable Charges,相關費用 @@ -435,7 +436,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。 +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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手冊 @@ -456,7 +457,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有製造過程中的全域設定。 DocType: Accounts Settings,Accounts Frozen Upto,帳戶被凍結到 DocType: SMS Log,Sent On,發送於 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,屬性{0}多次選擇在屬性表 +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,屬性{0}多次選擇在屬性表 DocType: HR Settings,Employee record is created using selected field. ,使用所選欄位創建員工記錄。 DocType: Sales Order,Not Applicable,不適用 apps/erpnext/erpnext/config/hr.py +70,Holiday master.,假日高手。 @@ -488,7 +489,7 @@ 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 +219,List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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 。總計:累積總數達到了這一點。 @@ -502,7 +503,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,請輸入物料需求欲增加的倉庫 DocType: Production Order,Additional Operating Cost,額外的運營成本 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,化妝品 -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的 +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的 DocType: Shipping Rule,Net Weight,淨重 DocType: Employee,Emergency Phone,緊急電話 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,購買 @@ -512,7 +513,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 +2428,Serial no item cannot be a fraction,序號項目不能是一個分數 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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,管理轉包 @@ -529,7 +530,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,新增 / 編輯稅金及費用 DocType: Purchase Invoice,Supplier Invoice No,供應商發票號碼 DocType: Territory,For reference,供參考 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",無法刪除序列號{0},因為它採用的是現貨交易 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",無法刪除序列號{0},因為它採用的是現貨交易 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),關閉(Cr) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,移動項目 DocType: Serial No,Warranty Period (Days),保修期限(天數) @@ -548,7 +549,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,請選擇公司和黨的第一型 apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,財務/會計年度。 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累積值 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",對不起,序列號無法合併 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",對不起,序列號無法合併 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,製作銷售訂單 DocType: Project Task,Project Task,項目任務 ,Lead Id,潛在客戶標識 @@ -567,6 +568,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,分配 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,銷貨退回 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,注:總分配葉{0}應不低於已核定葉{1}期間 +,Total Stock Summary,總庫存總結 DocType: Announcement,Posted By,發布者 DocType: Item,Delivered by Supplier (Drop Ship),由供應商交貨(直接發運) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,數據庫的潛在客戶。 @@ -574,7 +576,7 @@ DocType: Authorization Rule,Customer or Item,客戶或項目 apps/erpnext/erpnext/config/selling.py +28,Customer database.,客戶數據庫。 DocType: Quotation,Quotation To,報價到 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),開啟(Cr ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。 +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。 apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,分配金額不能為負 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,請設定公司 DocType: Purchase Order Item,Billed Amt,已結算額 @@ -594,6 +596,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,資料主檔 DocType: Assessment Plan,Maximum Assessment Score,最大考核評分 apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,更新銀行交易日期 apps/erpnext/erpnext/config/projects.py +30,Time Tracking,時間跟踪 +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,輸送機重複 DocType: Fiscal Year Company,Fiscal Year Company,會計年度公司 DocType: Packing Slip Item,DN Detail,DN詳細 DocType: Training Event,Conference,會議 @@ -630,8 +633,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 +320,Timesheet created:,創建時間表: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,註冊 DocType: GST Settings,GST Settings,GST設置 DocType: Selling Settings,Customer Naming By,客戶命名由 @@ -689,7 +692,7 @@ DocType: Hub Settings,Seller City,賣家市 ,Absent Student Report,缺席學生報告 DocType: Email Digest,Next email will be sent on:,接下來的電子郵件將被發送: DocType: Offer Letter Term,Offer Letter Term,報價函期限 -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,項目已變種。 +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,項目已變種。 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,項{0}未找到 DocType: Bin,Stock Value,庫存價值 apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,樹類型 @@ -730,12 +733,12 @@ apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月薪聲明。 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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海報價格規則,同樣的標準存在,請通過分配優先解決衝突。價格規則:{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,因為它是與其他材料明細表鏈接 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 +48,Make Timesheet,製作時間表 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -791,13 +794,13 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned A 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,發送電子郵件 -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},警告:無效的附件{0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,無權限 +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},警告:無效的附件{0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,無權限 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 +269,Nos,NOS +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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}必須提交 @@ -817,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 +274,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,打開累計折舊 @@ -897,14 +900,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM {0}必須是積極的 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},序列號{0}不屬於項目{1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},序列號{0}不屬於項目{1} DocType: Purchase Receipt Item Supplied,Required Qty,所需數量 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,與現有的交易倉庫不能轉換到總帳。 DocType: Bank Reconciliation,Total Amount,總金額 @@ -921,7 +924,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,組件 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},請輸入項目資產類別{0} DocType: Quality Inspection Reading,Reading 6,6閱讀 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,無法{0} {1} {2}沒有任何負面的優秀發票 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,無法{0} {1} {2}沒有任何負面的優秀發票 DocType: Purchase Invoice Advance,Purchase Invoice Advance,購買發票提前 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.,定義預算財政年度。 @@ -932,11 +935,11 @@ 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 +731,New Sales Invoice,新的銷售發票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,同步離線發票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,同步離線發票 DocType: Payment Request,Paid,付費 DocType: Program Fee,Program Fee,課程費用 DocType: Salary Slip,Total in words,總計大寫 @@ -967,10 +970,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,化學藥品 DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,默認銀行/現金帳戶時,會選擇此模式可以自動在工資日記條目更新。 DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司貨幣) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,所有項目都已經被轉移為這個生產訂單。 +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 +270,Meter,儀表 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,儀表 DocType: Workstation,Electricity Cost,電力成本 DocType: HR Settings,Don't send Employee Birthday Reminders,不要送員工生日提醒 DocType: Item,Inspection Criteria,檢驗標準 @@ -990,7 +993,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 +452,Please enter Account for Change Amount,對於漲跌額請輸入帳號 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,平衡貸款額 @@ -998,7 +1001,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 +259,Qty for {0},數量為{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,休假區塊清單日期表 @@ -1010,9 +1013,9 @@ DocType: Purchase Invoice,Cash/Bank Account,現金/銀行帳戶 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},請指定{0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,刪除的項目在數量或價值沒有變化。 DocType: Delivery Note,Delivery To,交貨給 -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,屬性表是強制性的 +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,屬性表是強制性的 DocType: Production Planning Tool,Get Sales Orders,獲取銷售訂單 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0}不能為負數 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0}不能為負數 DocType: Asset,Total Number of Depreciations,折舊總數 DocType: Sales Invoice Item,Rate With Margin,利率保證金 DocType: Sales Invoice Item,Rate With Margin,利率保證金 @@ -1045,7 +1048,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 +1546,ZIP Code,郵政編碼 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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條目 @@ -1063,7 +1066,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),最低鉛年齡(天) @@ -1087,17 +1090,17 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,經銷商 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,購物車運輸規則 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,{0}生產單必須早於售貨單前取消 -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',請設置“收取額外折扣” +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,從範圍必須小於要範圍 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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位數字應與狀態號{0}匹配 +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,產能規劃錯誤 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,產能規劃錯誤 ,Trial Balance for Party,試算表的派對 DocType: Lead,Consultant,顧問 DocType: Salary Slip,Earnings,收益 @@ -1116,7 +1119,7 @@ DocType: Purchase Invoice,Is Return,退貨 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,返回/借記注 DocType: Price List Country,Price List Country,價目表國家 DocType: Item,UOMs,計量單位 -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0}項目{1}的有效的序號 +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},{0}項目{1}的有效的序號 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,產品編號不能為序列號改變 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS簡介{0}已經為用戶創建:{1}和公司{2} DocType: Sales Invoice Item,UOM Conversion Factor,計量單位換算係數 @@ -1125,7 +1128,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 +675,Cost Center For Item with Item Code ',成本中心與項目代碼“項目 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",進一步帳戶可以根據組進行,但條目可針對非組進行 @@ -1164,7 +1167,7 @@ DocType: Announcement,All Students,所有學生 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,項{0}必須是一個非庫存項目 apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,查看總帳 DocType: Grading Scale,Intervals,間隔 -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",具有具有相同名稱的項目群組存在,請更改項目名稱或重新命名該項目群組 +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,該項目{0}不能有批 @@ -1189,7 +1192,7 @@ 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 +288,Example: Masters in Computer Science,舉例:碩士計算機科學 +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,舉例:碩士計算機科學 DocType: Purchase Invoice,Rejected Warehouse,拒絕倉庫 DocType: GL Entry,Against Voucher,對傳票 DocType: Item,Default Buying Cost Center,預設採購成本中心 @@ -1200,7 +1203,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,銷售訂單{0}無效 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1215,13 +1218,13 @@ DocType: Item,Auto re-order,自動重新排序 apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,實現總計 DocType: Employee,Place of Issue,簽發地點 DocType: Email Digest,Add Quote,添加報價 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1} 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 +736,Sync Master Data,同步主數據 -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,您的產品或服務 -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址 +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/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.,這是個根項目群組,且無法被編輯。 DocType: Journal Entry Account,Purchase Order,採購訂單 @@ -1237,14 +1240,13 @@ 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 +562,Delivery Note {0} is not submitted,送貨單{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",基於“適用於”欄位是「項目」,「項目群組」或「品牌」,而選擇定價規則。 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},生產訂單狀態為{0} DocType: Appraisal Goal,Goal,目標 DocType: Sales Invoice Item,Edit Description,編輯說明 ,Team Updates,團隊更新 @@ -1259,14 +1261,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,兒童倉庫存在這個倉庫。您不能刪除這個倉庫。 DocType: Item,Website Item Groups,網站項目群組 DocType: Purchase Invoice,Total (Company Currency),總計(公司貨幣) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,序號{0}多次輸入 +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 +78,{0} items in progress,正在進行{0}項目 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,這就是以這個前綴的最後一個創建的事務數 @@ -1317,7 +1319,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,引導 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,7 +1330,7 @@ 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 +260,Max: {0},最大數量:{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,通信日誌。 @@ -1338,7 +1339,7 @@ apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amo DocType: Sales Invoice,Shipping Address Name,送貨地址名稱 DocType: Material Request,Terms and Conditions Content,條款及細則內容 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,不能大於100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,項{0}不是缺貨登記 +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,項{0}不是缺貨登記 DocType: Maintenance Visit,Unscheduled,計劃外 DocType: Employee,Owned,擁有的 DocType: Salary Detail,Depends on Leave Without Pay,依賴於無薪休假 @@ -1366,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 +273,We buy this Item,我們買這個項目 +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,顯示未關閉的會計年度的盈虧平衡 @@ -1376,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 +266,Sub Assemblies,子組件 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,子組件 DocType: Asset,Asset Name,資產名稱 DocType: Project,Task Weight,任務重 DocType: Asset Movement,Stock Manager,庫存管理 @@ -1404,12 +1405,12 @@ DocType: HR Settings,Email Salary Slip to Employee,電子郵件工資單給員 apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +876,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 +239,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目 +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,沒有在支付表中找到記錄 apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}衝突{1}在{2} {3} DocType: Student Attendance Tool,Students HTML,學生HTML DocType: POS Profile,Apply Discount,應用折扣 -DocType: Purchase Invoice Item,GST HSN Code,GST HSN代碼 +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 +283,Packing Slip(s) cancelled,包裝單( S)已取消 @@ -1450,7 +1451,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,貨運公司細節 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,默認倉庫需要選中的項目 +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 +873,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,收受方列表為空。請創建收受方列表 @@ -1476,7 +1477,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,還款方式 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果選中,主頁將是網站的默認項目組 DocType: Quality Inspection Reading,Reading 4,4閱讀 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},默認BOM {0}未找到項目{1} 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} @@ -1493,27 +1493,27 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,新任務 apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,請報價 apps/erpnext/erpnext/config/selling.py +216,Other Reports,其他報告 DocType: Dependent Task,Dependent Task,相關任務 -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},預設計量單位的轉換因子必須是1在行{0} +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} DocType: SMS Center,Receiver List,收受方列表 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,搜索項目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,已經完成 +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/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 +263,Quantity must not be more than {0},數量必須不超過{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,帳戶名稱 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,起始日期不能大於結束日期 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,序列號{0}的數量量{1}不能是分數 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,序列號{0}的數量量{1}不能是分數 apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,供應商類型高手。 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 @@ -1573,7 +1573,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,休假中包含節 DocType: Sales Invoice,Packed Items,盒裝項目 apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,針對序列號保修索賠 DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",在它使用的所有其他材料明細表替換特定的BOM。它將取代舊的BOM鏈接,更新成本和再生“BOM展開項目”表按照新的BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','總數' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','總數' DocType: Shopping Cart Settings,Enable Shopping Cart,啟用購物車 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ than Grand Total {2}",推動打擊{0} {1}不能大於付出\超過總計{2} @@ -1607,6 +1607,7 @@ DocType: Material Request,Transferred,轉入 DocType: Vehicle,Doors,門 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext設定完成! DocType: Course Assessment Criteria,Weightage,權重 +DocType: Sales 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,新建聯絡人 @@ -1624,7 +1625,7 @@ 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 +699,Offline,離線 +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,申請人作業 @@ -1641,7 +1642,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,主頁 apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,變種 DocType: Naming Series,Set prefix for numbering series on your transactions,為你的交易編號序列設置的前綴 DocType: Employee Attendance Tool,Employees HTML,員工HTML -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板 +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板 DocType: Employee,Leave Encashed?,離開兌現? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機會從字段是強制性的 DocType: Item,Variants,變種 @@ -1652,7 +1653,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 +175,Work-in-Progress Warehouse is required before Submit,提交之前,需要填入在製品倉庫 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,供應商的法定資訊和其他一般資料 @@ -1662,7 +1663,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,學生群體力量 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,對日記條目{0}沒有任何無與倫比{1}進入 apps/erpnext/erpnext/config/hr.py +137,Appraisals,估價 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},重複的序列號輸入的項目{0} +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}。要允許對帳單,請在購買設置中設置 @@ -1671,7 +1672,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM {0}必須提交 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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}中設置默認庫存帳戶。 @@ -1689,12 +1690,12 @@ 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 +257,"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 +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.",列出您售出或購買的產品或服務,並請確認品項群駔、單位與其它屬性。 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: Asset Movement,Asset Movement,資產運動 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,新的車 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,車輪 @@ -1719,7 +1720,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,從採購入庫單取得項目 DocType: Serial No,Creation Date,創建日期 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},項{0}中多次出現價格表{1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",銷售必須進行檢查,如果適用於被選擇為{0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",銷售必須進行檢查,如果適用於被選擇為{0} DocType: Production Plan Material Request,Material Request Date,材料申請日期 DocType: Purchase Order Item,Supplier Quotation Item,供應商報價項目 DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,禁止建立生產訂單的時間日誌。不得對生產訂單追踪作業 @@ -1736,7 +1737,7 @@ DocType: Supplier,Supplier of Goods or Services.,供應商的商品或服務。 DocType: Budget,Fiscal Year,財政年度 DocType: Vehicle Log,Fuel Price,燃油價格 DocType: Budget,Budget,預算 -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,固定資產項目必須是一個非庫存項目。 +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,申請表路線 @@ -1748,7 +1749,7 @@ 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 +263,A Product or Service,產品或服務 +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,當前值 @@ -1818,7 +1819,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,對 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,對 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,選擇BOM和數量生產 DocType: Asset,Depreciation Schedule,折舊計劃 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,銷售合作夥伴地址和聯繫人 @@ -1837,10 +1838,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},項目{0}之項目主檔未提及之項目群組 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶 +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,借方帳戶必須是應收帳款帳戶 DocType: Shipping Rule Condition,Shipping Amount,航運量 -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,添加客戶 +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,交付 @@ -1857,6 +1858,7 @@ DocType: Journal Entry,Accounts Receivable,應收帳款 ,Supplier-Wise Sales Analytics,供應商相關的銷售分析 apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,輸入支付的金額 DocType: Salary Structure,Select employees for current Salary Structure,當前薪酬結構中選擇員工 +DocType: Sales Invoice,Company Address Name,公司地址名稱 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)",家長課程(如果不是家長課程的一部分,請留空) @@ -1877,7 +1879,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 +269,Unit,單位 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,你維護退貨庫存的倉庫 @@ -1896,7 +1898,7 @@ apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material 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/buying/utils.py +34,UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0} -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:參考文件類型必須是銷售訂單之一,銷售發票或日記帳分錄 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}:從時間和時間是強制性的。 DocType: Stock Reconciliation Item,Amount Difference,金額差異 @@ -1904,7 +1906,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in 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,客戶按區域分類 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,差量必須是零 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,請先輸入生產項目 +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 +748,Quotation,報價 @@ -1913,7 +1915,7 @@ DocType: Salary Slip,Total Deduction,扣除總額 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: Opportunity,Customer / Lead Address,客戶/鉛地址 -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},警告:附件無效的SSL證書{0} +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},警告:附件無效的SSL證書{0} apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",信息幫助你的業務,你所有的聯繫人和更添加為您的線索 DocType: Production Order Operation,Actual Operation Time,實際操作時間 DocType: Authorization Rule,Applicable To (User),適用於(用戶) @@ -1930,11 +1932,11 @@ DocType: Appraisal,Calculate Total Score,計算總分 DocType: Request for Quotation,Manufacturing Manager,生產經理 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},序列號{0}在保修期內直到{1} apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,拆分送貨單成數個包裝。 -apps/erpnext/erpnext/hooks.py +87,Shipments,發貨 +apps/erpnext/erpnext/hooks.py +94,Shipments,發貨 DocType: Payment Entry,Total Allocated Amount (Company Currency),總撥款額(公司幣種) DocType: Purchase Order Item,To be delivered to customer,要傳送給客戶 DocType: BOM,Scrap Material Cost,廢料成本 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,序列號{0}不屬於任何倉庫 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,序列號{0}不屬於任何倉庫 DocType: Purchase Invoice,In Words (Company Currency),大寫(Company Currency) DocType: Asset,Supplier,供應商 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,雜項開支 @@ -1946,11 +1948,10 @@ DocType: Leave Application,Total Leave Days,總休假天數 DocType: Email Digest,Note: Email will not be sent to disabled users,注意:電子郵件將不會被發送到被禁用的用戶 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次數 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次數 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品編號>商品組>品牌 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 +408,{0} is mandatory for Item {1},{0}是強制性的項目{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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,新的採購成本 @@ -1991,7 +1992,8 @@ apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} DocType: Quotation Item,Stock Balance,庫存餘額 apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,銷售訂單到付款 DocType: Expense Claim Detail,Expense Claim Detail,報銷詳情 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,請選擇正確的帳戶 +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,供應商提供服務 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,請選擇正確的帳戶 DocType: Item,Weight UOM,重量計量單位 DocType: Salary Structure Employee,Salary Structure Employee,薪資結構員工 DocType: Production Order Operation,Pending,擱置 @@ -2012,7 +2014,7 @@ DocType: Student,Guardians,守護者 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 +336,Debit To is required,借方是必填項 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,要約期限 @@ -2025,7 +2027,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},總未付:{0} DocType: BOM Website Operation,BOM Website Operation,BOM網站運營 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,報價函 apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,產生物料需求(MRP)和生產訂單。 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,總開票金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,總開票金額 DocType: BOM,Conversion Rate,兌換率 apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,產品搜索 DocType: Timesheet Detail,To Time,要時間 @@ -2040,7 +2042,7 @@ 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}無法使用庫存調節更新,請使用庫存條目 DocType: Training Event Employee,Training Event Employee,培訓活動的員工 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0}產品{1}需要的序號。您已提供{2}。 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0}產品{1}需要的序號。您已提供{2}。 DocType: Stock Reconciliation Item,Current Valuation Rate,目前的估值價格 DocType: Item,Customer Item Codes,客戶項目代碼 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,兌換收益/損失 @@ -2082,7 +2084,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 +2454,Select Batch No,選擇批號 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,產能規劃 @@ -2108,13 +2110,13 @@ apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show S apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,請設置保存後復發 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,選擇變化量賬戶 +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,請設置保存後復發 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,添加稅賦 +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,預算科目 @@ -2124,6 +2126,7 @@ DocType: Grading Scale Interval,Grade Description,等級說明 DocType: Stock Entry,Purchase Receipt No,採購入庫單編號 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,保證金 DocType: Process Payroll,Create Salary Slip,建立工資單 +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC代碼 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,僱員 @@ -2150,7 +2153,7 @@ apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,維護計劃細節 DocType: Quality Inspection Reading,Reading 9,9閱讀 DocType: Supplier,Is Frozen,就是冰凍 -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,組節點倉庫不允許選擇用於交易 +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,組節點倉庫不允許選擇用於交易 DocType: Buying Settings,Buying Settings,採購設定 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,BOM編號為成品產品 DocType: Upload Attendance,Attendance To Date,出席會議日期 @@ -2165,14 +2168,14 @@ 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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。 +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.js +153,You can not change rate if BOM mentioned agianst any item,你不能改變速度,如果BOM中提到反對的任何項目 +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,對於數量 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},請輸入列{1}的品項{0}的計劃數量 @@ -2192,7 +2195,7 @@ DocType: Delivery Note,Transporter Name,貨運公司名稱 DocType: Authorization Rule,Authorized Value,授權值 DocType: BOM,Show Operations,顯示操作 ,Minutes to First Response for Opportunity,分鐘的機會第一個反應 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求 apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,計量單位 DocType: Fiscal Year,Year End Date,年結結束日期 DocType: Task Depends On,Task Depends On,任務取決於 @@ -2278,7 +2281,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},無法產生更多的項目{0}不是銷售訂單數量{1} +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/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,接著聯繫到不能相同鉛郵箱地址 @@ -2369,9 +2372,9 @@ 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 +789,"LocalStorage is full, did not save",localStorage的是滿的,沒救 +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,參考 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,參考 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,憑證# DocType: Notification Control,Purchase Order Message,採購訂單的訊息 DocType: Tax Rule,Shipping Country,航運國家 @@ -2385,7 +2388,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 +1165,Please enter Item Code to get batch no,請輸入產品編號,以取得批號 +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,請輸入產品編號,以取得批號 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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",合併是唯一可能的,如果以下屬性中均有記載相同。是集團,根型,公司 @@ -2402,7 +2405,7 @@ DocType: Project,Task Completion,任務完成 apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,沒存貨 DocType: Appraisal,HR User,HR用戶 DocType: Purchase Invoice,Taxes and Charges Deducted,稅收和費用扣除 -apps/erpnext/erpnext/hooks.py +116,Issues,問題 +apps/erpnext/erpnext/hooks.py +124,Issues,問題 apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},狀態必須是一個{0} DocType: Sales Invoice,Debit To,借方 DocType: Delivery Note,Required only for sample item.,只對樣品項目所需。 @@ -2429,6 +2432,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,領土 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,請註明無需訪問 DocType: Stock Settings,Default Valuation Method,預設的估值方法 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,費用 DocType: Vehicle Log,Fuel Qty,燃油數量 DocType: Production Order Operation,Planned Start Time,計劃開始時間 DocType: Course,Assessment,評定 @@ -2438,12 +2442,12 @@ 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 +149,Quotation {0} is cancelled,{0}報價被取消 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,未償還總額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,未償還總額 DocType: Sales Partner,Targets,目標 DocType: Price List,Price List Master,價格表主檔 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,所有的銷售交易,可以用來標記針對多個**銷售**的人,這樣你可以設置和監控目標。 ,S.O. No.,SO號 -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},請牽頭建立客戶{0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},請牽頭建立客戶{0} DocType: Price List,Applicable for Countries,適用於國家 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,只留下地位的申請“已批准”和“拒絕”,就可以提交 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},學生組名稱是強制性的行{0} @@ -2491,6 +2495,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/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),時間(分鐘) @@ -2529,8 +2534,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,物料轉倉用於製造 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.,折扣百分比可以應用於單一價目表或所有價目表。 DocType: Purchase Invoice,Half-yearly,每半年一次 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,存貨的會計分錄 +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,您已經評估了評估標準{}。 DocType: Vehicle Service,Engine Oil,機油 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 DocType: Sales Invoice,Sales Team1,銷售團隊1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,項目{0}不存在 DocType: Sales Invoice,Customer Address,客戶地址 @@ -2556,7 +2561,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,法人/子公司與帳戶的獨立走勢屬於該組織。 DocType: Payment Request,Mute Email,靜音電子郵件 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",食品、飲料&煙草 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},只能使支付對未付款的{0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},只能使支付對未付款的{0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,佣金比率不能大於100 DocType: Stock Entry,Subcontract,轉包 apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,請輸入{0}第一 @@ -2606,7 +2611,7 @@ DocType: Purchase Order Item,Returned Qty,返回的數量 DocType: Employee,Exit,出口 apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,root類型是強制性的 DocType: BOM,Total Cost(Company Currency),總成本(公司貨幣) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,序列號{0}創建 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,序列號{0}創建 DocType: Homepage,Company Description for website homepage,公司介紹了網站的首頁 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",為方便客戶,這些代碼可以在列印格式,如發票和送貨單使用 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier名稱 @@ -2654,9 +2659,10 @@ DocType: Sales Order,In Words will be visible once you save the Sales Order.,銷 DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,學生考勤批處理工具 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,這個“學年”一個學期{0}和“術語名稱”{1}已經存在。請修改這些條目,然後再試一次。 -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",由於有對項目{0}現有的交易,你不能改變的值{1} +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}",由於有對項目{0}現有的交易,你不能改變的值{1} DocType: UOM,Must be Whole Number,必須是整數 DocType: Leave Control Panel,New Leaves Allocated (In Days),新的排假(天) +DocType: Sales Invoice,Invoice Copy,發票副本 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,序列號{0}不存在 DocType: Sales Invoice Item,Customer Warehouse (Optional),客戶倉庫(可選) DocType: Payment Reconciliation Invoice,Invoice Number,發票號碼 @@ -2701,6 +2707,7 @@ apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds a apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,學生申請 DocType: Asset Category Account,Accumulated Depreciation Account,累計折舊科目 DocType: Stock Settings,Freeze Stock Entries,凍結庫存項目 +DocType: Program Enrollment,Boarding Student,寄宿學生 DocType: Asset,Expected Value After Useful Life,期望值使用壽命結束後 DocType: Item,Reorder level based on Warehouse,根據倉庫訂貨點水平 DocType: Activity Cost,Billing Rate,結算利率 @@ -2725,10 +2732,10 @@ DocType: Serial No,Warranty / AMC Details,保修/ AMC詳情 apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,為基於活動的組手動選擇學生 DocType: Journal Entry,User Remark,用戶備註 DocType: Lead,Market Segment,市場分類 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金額不能超過總負餘額大於{0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金額不能超過總負餘額大於{0} DocType: Employee Internal Work History,Employee Internal Work History,員工內部工作經歷 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),關閉(Dr) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,序列號{0}無貨 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,序列號{0}無貨 apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,稅務模板賣出的交易。 DocType: Sales Invoice,Write Off Outstanding Amount,核銷額(億元) apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},帳戶{0}與公司{1}不符 @@ -2751,7 +2758,7 @@ 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 +348,Add a few sample records,增加了一些樣本記錄 +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,較低的收入 @@ -2764,17 +2771,17 @@ 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 +418,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,客戶採購訂單 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,序列號和批次 DocType: Warranty Claim,From Company,從公司 -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,評估標準的得分之和必須是{0}。 +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,評估標準的得分之和必須是{0}。 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 +270,Minute,分鐘 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,分鐘 DocType: Purchase Invoice,Purchase Taxes and Charges,購置稅和費 ,Qty to Receive,未到貨量 DocType: Leave Block List,Leave Block List Allowed,准許的休假區塊清單 @@ -2793,7 +2800,7 @@ DocType: Sales Order,% Delivered,%交付 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,銀行透支戶口 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,製作工資單 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行#{0}:分配金額不能大於未結算金額。 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,瀏覽BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,瀏覽BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,抵押貸款 DocType: Purchase Invoice,Edit Posting Date and Time,編輯投稿時間 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},請設置在資產類別{0}或公司折舊相關帳戶{1} @@ -2807,7 +2814,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 +278,Select Quantity,選擇數量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,從該電子郵件摘要退訂 @@ -2829,6 +2836,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},不允許更新比{0}舊的庫存交易 DocType: Purchase Invoice Item,PR Detail,詳細新聞稿 DocType: Sales Order,Fully Billed,完全開票 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供應商>供應商類型 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 +127,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),包裹的總重量。通常為淨重+包裝材料的重量。 (用於列印) @@ -2863,8 +2871,9 @@ 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}未提交 DocType: Customs Tariff Number,Tariff Number,稅則號 +DocType: Production Order Item,Available Qty at WIP Warehouse,在WIP倉庫可用的數量 apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,預計 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},序列號{0}不屬於倉庫{1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},序列號{0}不屬於倉庫{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,注:系統將不檢查過交付和超額預訂的項目{0}的數量或金額為0 DocType: Notification Control,Quotation Message,報價訊息 DocType: Employee Loan,Employee Loan Application,職工貸款申請 @@ -2882,20 +2891,20 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本憑證金額 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,由供應商提出的帳單。 DocType: POS Profile,Write Off Account,核銷帳戶 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,借方票據 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,借方票據 apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,折扣金額 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 +207,e.g. VAT,例如增值稅 +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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 +1945,Please select customer,請選擇客戶 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,請選擇客戶 DocType: C-Form,I,一世 DocType: Company,Asset Depreciation Cost Center,資產折舊成本中心 DocType: Sales Order Item,Sales Order Date,銷售訂單日期 @@ -2917,7 +2926,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62,Gross Purchase Amount i apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,黨是強制性 DocType: Journal Entry,JV-,將N- DocType: Topic,Topic Name,主題名稱 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,至少需選擇銷售或購買 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,至少需選擇銷售或購買 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,選擇您的業務的性質。 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},行#{0}:引用{1} {2}中的重複條目 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,生產作業於此進行。 @@ -2926,7 +2935,7 @@ 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} DocType: Employee,Confirmation Date,確認日期 DocType: C-Form,Total Invoiced Amount,發票總金額 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量 DocType: Account,Accumulated Depreciation,累計折舊 DocType: Stock Entry,Customer or Supplier Details,客戶或供應商詳細訊息 DocType: Lead,Lead Owner,鉛所有者 @@ -2955,7 +2964,6 @@ apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proform DocType: Student Guardian,Student Guardian,學生家長 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,估值類型罪名不能標記為包容性 DocType: POS Profile,Update Stock,庫存更新 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供應商>供應商類型 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM率 DocType: Asset,Journal Entry for Scrap,日記帳分錄報廢 @@ -3007,7 +3015,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,展會稅分手 apps/erpnext/erpnext/accounts/party.py +308,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,沒有發現學生 @@ -3027,14 +3034,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,沒有學生 +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 +108,Please enter 'Expected Delivery Date',請輸入「預定交付日」 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,無效的GSTIN或輸入NA未註冊 +apps/erpnext/erpnext/regional/india/utils.py +14,Invalid GSTIN or Enter NA for Unregistered,無效的GSTIN或輸入NA未註冊 DocType: Training Event,Seminar,研討會 DocType: Program Enrollment Fee,Program Enrollment Fee,計劃註冊費 DocType: Item,Supplier Items,供應商項目 @@ -3063,40 +3070,41 @@ DocType: Sales Team,Contribution (%),貢獻(%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:付款項將不會被創建因為“現金或銀行帳戶”未指定 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,職責 DocType: Expense Claim Account,Expense Claim Account,報銷賬戶 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列設置{0}的命名系列 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,請在表中輸入至少一筆發票 +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個。 DocType: Stock Reconciliation Item,Before reconciliation,調整前 DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),稅收和收費上架(公司貨幣) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有帳戶類型稅或收入或支出或課稅的 +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有帳戶類型稅或收入或支出或課稅的 DocType: Sales Order,Partly Billed,天色帳單 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,項{0}必須是固定資產項目 DocType: Item,Default BOM,預設的BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,借方票據金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,借方票據金額 apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,請確認重新輸入公司名稱 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,總街貨量金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,總街貨量金額 DocType: Journal Entry,Printing Settings,列印設定 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},借方總額必須等於貸方總額。差額為{0} apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,汽車 DocType: Vehicle,Insurance Company,保險公司 DocType: Asset Category Account,Fixed Asset Account,固定資產帳戶 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,變量 -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,從送貨單 +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,從送貨單 DocType: Student,Student Email Address,學生的電子郵件地址 DocType: Timesheet Detail,From Time,從時間 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,有現貨: DocType: Notification Control,Custom Message,自定義訊息 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,投資銀行業務 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,製作付款分錄時,現金或銀行帳戶是強制性輸入的欄位。 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,學生地址 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,學生地址 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 +1517,Address Name,地址名稱 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,地址名稱 DocType: Stock Entry,From BOM,從BOM DocType: Assessment Code,Assessment Code,評估準則 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本的 @@ -3112,7 +3120,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。 +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/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,每月還款額不能超過貸款金額較大 @@ -3120,7 +3128,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,輸入值必須為正 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,學生已經註冊。 @@ -3129,7 +3137,7 @@ DocType: Process Payroll,Process Payroll,處理工資 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,還有比這個月工作日更多的假期。 DocType: Product Bundle Item,Product Bundle Item,產品包項目 DocType: Sales Partner,Sales Partner Name,銷售合作夥伴名稱 -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,索取報價 +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,索取報價 DocType: Payment Reconciliation,Maximum Invoice Amount,最大發票額 DocType: Student Language,Student Language,學生語言 apps/erpnext/erpnext/config/selling.py +23,Customers,顧客 @@ -3140,7 +3148,7 @@ DocType: Asset,Partially Depreciated,部分貶抑 DocType: Issue,Opening Time,開放時間 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,需要起始和到達日期 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,證券及商品交易所 -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}” +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 +847,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造 @@ -3169,7 +3177,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,開業日期應該是截止日期之前, -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列設置{0}的命名系列 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.,天的假期被封鎖這個部門。 @@ -3181,8 +3188,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總' -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0} +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/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,銀行分錄 DocType: Authorization Rule,Applicable To (Designation),適用於(指定) @@ -3197,7 +3204,7 @@ 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 +270,Hour,小時 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,在限制的日期,您無權批准休假 @@ -3206,7 +3213,7 @@ apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.p 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 +645,Point of Sale,銷售點 +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,銷售點 DocType: Payment Entry,Received Amount,收金額 DocType: GST Settings,GSTIN Email Sent On,發送GSTIN電子郵件 DocType: Program Enrollment,Pick/Drop by Guardian,由守護者選擇 @@ -3222,7 +3229,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 +394,Quantity to Manufacture must be greater than 0.,量生產必須大於0。 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +389,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,客戶群組 @@ -3247,14 +3254,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 +465,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,底盤無 @@ -3285,7 +3292,7 @@ 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 +436,Warehouse required for stock Item {0},倉庫需要現貨產品{0} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},倉庫需要現貨產品{0} DocType: Leave Allocation,Unused leaves,未使用的休假 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,鉻 DocType: Tax Rule,Billing State,計費狀態 @@ -3327,7 +3334,7 @@ apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student 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/controllers/item_variant.py +214,Invalid attribute {0} {1},無效的屬性{0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',請選擇“所有評估組”以外的評估組 @@ -3419,16 +3426,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,工資組件 DocType: Program Enrollment Tool,New Academic Year,新學年 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,返回/信用票據 DocType: Stock Settings,Auto insert Price List rate if missing,自動插入價目表率,如果丟失 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,總支付金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,總支付金額 DocType: Production Order Item,Transferred Qty,轉讓數量 apps/erpnext/erpnext/config/learn.py +11,Navigating,導航 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 +272,We sell this Item,我們賣這種產品 +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,樣品數據 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,學年名稱 @@ -3473,7 +3482,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 +1186,Please set Company,請設公司 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,請設公司 DocType: Pricing Rule,Buying,採購 DocType: HR Settings,Employee Records to be created by,員工紀錄的創造者 DocType: POS Profile,Apply Discount On,申請折扣 @@ -3488,7 +3497,7 @@ 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}中的分數 apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,收費 -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1} +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1} DocType: Lead,Add to calendar on this date,在此日期加到日曆 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,增加運輸成本的規則。 DocType: Item,Opening Stock,打開股票 @@ -3504,13 +3513,12 @@ 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 +541,POS Profile required to make POS Entry,所需的POS資料,使POS進入 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,至少要有一間倉庫 DocType: BOM Replace Tool,Replace,更換 apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,找不到產品。 -DocType: Production Order,Unstopped,通暢了 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0}針對銷售發票{1} DocType: Request for Quotation Item,Project Name,專案名稱 DocType: Customer,Mention if non-standard receivable account,提到如果不規範應收賬款 @@ -3519,6 +3527,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} 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,移動平均線 @@ -3554,8 +3563,8 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,項目{0}被忽略,因為它不是一個庫存項目 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +40,Submit this Production Order for further processing.,提交此生產訂單進行進一步的處理。 +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/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,銷售訂單趨勢 @@ -3567,6 +3576,8 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can n apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,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",將用戶添加到您的組織,除了自己 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',如果Group By是“Company”,請設置公司過濾器空白 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,發布日期不能是未來的日期 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列號{1}不相匹配{2} {3} ,Delivery Note Trends,送貨單趨勢 @@ -3592,7 +3603,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,庫存總帳條目 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,項目{0}不是設定為序列號,此列必須為空白 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,項目{0}不是設定為序列號,此列必須為空白 DocType: Accounts Settings,Accounts Settings,帳戶設定 DocType: Customer,Sales Partner and Commission,銷售合作夥伴及佣金 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'",共有{0}所有項目為零,可能是你應該“基於分佈式費用”改變 @@ -3602,7 +3613,7 @@ 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 +62,{0} items produced,生產{0}項目 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,退貨 @@ -3616,7 +3627,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,匯率 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,銷售訂單{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,車隊的管理 @@ -3640,18 +3651,18 @@ 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 +705,Online,線上 +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,提交的訂單不能被刪除 +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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}已被禁用 DocType: Employee Loan,Repay Fixed Amount per Period,償還每期固定金額 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},請輸入項目{0}的量 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,信用證 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,信用證 DocType: Employee External Work History,Employee External Work History,員工對外工作歷史 DocType: Tax Rule,Purchase,採購 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,餘額數量 @@ -3675,7 +3686,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 +2383,Select items to save the invoice,選取要保存發票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,選取要保存發票 DocType: Employee,Encashment Date,兌現日期 DocType: Training Event,Internet,互聯網 DocType: Account,Stock Adjustment,庫存調整 @@ -3703,6 +3714,7 @@ DocType: Guardian,Guardian Of ,守護者 DocType: Grading Scale Interval,Threshold,閾 DocType: BOM Replace Tool,Current BOM,當前BOM表 apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,添加序列號 +DocType: Production Order Item,Available Qty at Source Warehouse,源倉庫可用數量 apps/erpnext/erpnext/config/support.py +22,Warranty,保證 DocType: Purchase Invoice,Debit Note Issued,借記發行說明 DocType: Production Order,Warehouses,倉庫 @@ -3716,13 +3728,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,已支付的 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,專案經理 ,Quoted Item Comparison,項目報價比較 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,調度 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,{0}允許的最大折扣:{1}% +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 +279,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 +879,Select Items to Manufacture,選擇項目,以製造 -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間 DocType: Item,Material Issue,發料 DocType: Hub Settings,Seller Description,賣家描述 DocType: Employee Education,Qualification,合格 @@ -3744,7 +3756,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 +200,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因為提交股票輸入{0}存在 DocType: Vehicle,Vehicle,車輛 DocType: Purchase Invoice,In Words,大寫 DocType: POS Profile,Item Groups,項目組 @@ -3758,7 +3770,7 @@ DocType: Email Digest,Add/Remove Recipients,添加/刪除收件人 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},交易不反對停止生產訂單允許{0} apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",要設定這個財政年度為預設值,點擊“設為預設” apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,短缺數量 -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性 +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性 DocType: Employee Loan,Repay from Salary,從工資償還 apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},請求對付款{0} {1}量{2} DocType: Salary Slip,Salary Slip,工資單 @@ -3775,18 +3787,18 @@ 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 +1011,It is needed to fetch Item Details.,需要獲取項目細節。 +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,已收到序號{0} +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: Expense Claim,Vehicle Log,車輛登錄 DocType: Purchase Invoice,Recurring Id,經常性標識 DocType: Customer,Sales Team Details,銷售團隊詳細 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,永久刪除? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},無效的{0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},無效的{0} DocType: Email Digest,Email Digest,電子郵件摘要 DocType: Delivery Note,Billing Address Name,帳單地址名稱 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,百貨 @@ -3798,6 +3810,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,收費 DocType: Company,Change Abbreviation,更改縮寫 DocType: Expense Claim Detail,Expense Date,犧牲日期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品編號>商品組>品牌 DocType: Item,Max Discount (%),最大折讓(%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,最後訂單金額 DocType: Daily Work Summary,Email Sent To,電子郵件發送給 @@ -3817,8 +3830,8 @@ apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,查看 DocType: Item Attribute Value,Attribute Value,屬性值 ,Itemwise Recommended Reorder Level,Itemwise推薦級別重新排序 DocType: Salary Detail,Salary Detail,薪酬詳細 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,請先選擇{0} -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,一批項目的{0} {1}已過期。 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,請先選擇{0} +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,一批項目的{0} {1}已過期。 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,時間表製造。 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小計 DocType: Salary Detail,Default Amount,違約金額 @@ -3841,12 +3854,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 +399,Operation Time must be greater than 0 for Operation {0},運行時間必須大於0的操作{0} +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/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 +387,Production Order cannot be raised against a Item Template,生產訂單不能對一個項目提出的模板 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,開始日期 @@ -3875,7 +3888,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,處置日期 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",電子郵件將在指定的時間發送給公司的所有在職職工,如果他們沒有假期。回复摘要將在午夜被發送。 DocType: Employee Leave Approver,Employee Leave Approver,員工請假審批 -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",不能聲明為丟失,因為報價已經取得進展。 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}必須提交 @@ -3903,6 +3916,7 @@ DocType: Announcement,Student,學生 apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,組織單位(部門)的主人。 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,請輸入有效的手機號 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,在發送前,請填寫留言 +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,供應商重複 DocType: Email Digest,Pending Quotations,待語錄 apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,簡介銷售點的 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,請更新簡訊設定 @@ -3910,7 +3924,7 @@ apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standar DocType: Cost Center,Cost Center Name,成本中心名稱 DocType: HR Settings,Max working hours against Timesheet,最大工作時間針對時間表 DocType: Maintenance Schedule Detail,Scheduled Date,預定日期 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,數金額金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,數金額金額 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,大於160個字元的訊息將被分割成多個訊息送出 DocType: Purchase Receipt Item,Received and Accepted,收貨及允收 ,GST Itemised Sales Register,消費稅商品銷售登記冊 @@ -3920,7 +3934,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 +237,Your Suppliers,您的供應商 +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',當類是“估值”或“Vaulation和總'不能扣除 @@ -3932,7 +3946,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,網站圖像{0}附加到物品{1}無法找到 +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.,列出這個項目在網站上多個組。 @@ -3947,7 +3961,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,它有什麼 apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,到倉庫 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,所有學生入學 ,Average Commission Rate,平均佣金比率 -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,非庫存項目不能有序號 +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,非庫存項目不能有序號 apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,考勤不能標記為未來的日期 DocType: Pricing Rule,Pricing Rule Help,定價規則說明 DocType: Purchase Taxes and Charges,Account Head,帳戶頭 @@ -3962,7 +3976,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 +339,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,庫存資產 @@ -3975,20 +3989,20 @@ DocType: Notification Control,Sales Invoice Message,銷售發票訊息 apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,關閉帳戶{0}的類型必須是負債/權益 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},員工的工資單{0}已為時間表創建{1} DocType: Sales Order Item,Ordered Qty,訂購數量 -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,項目{0}無效 +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 +874,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,加油詳情 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,生成工資條 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",採購必須進行檢查,如果適用於被選擇為{0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",採購必須進行檢查,如果適用於被選擇為{0} apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,折扣必須小於100 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 +500,Default BOM for {0} not found,默認BOM {0}未找到 -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,招生計劃 DocType: Landed Cost Voucher,Landed Cost Voucher,到岸成本憑證 @@ -4044,7 +4058,6 @@ apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting tra apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,訊息大於160個字符將會被分成多個訊息 DocType: Purchase Invoice Item,Stock Qty,庫存數量 DocType: Purchase Invoice Item,Stock Qty,庫存數量 -DocType: Production Order,Source Warehouse (for reserving Items),源數據倉庫(用於保留項目) DocType: Employee Loan,Repayment Period in Months,在月還款期 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,錯誤:沒有有效的身份證? DocType: Naming Series,Update Series Number,更新序列號 @@ -4088,7 +4101,7 @@ DocType: Production Order,Planned End Date,計劃的結束日期 apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,項目的存儲位置。 DocType: Request for Quotation,Supplier Detail,供應商詳細 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},誤差在式或條件:{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,發票金額 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,發票金額 DocType: Attendance,Attendance,出勤 apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,庫存產品 DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未選取,則該列表將被加到每個應被應用到的部門。 @@ -4126,10 +4139,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,設置一個簡單的網站為我的組織 +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0} DocType: Item,Default Warehouse,預設倉庫 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},不能指定預算給群組帳目{0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,請輸入父成本中心 @@ -4186,13 +4199,14 @@ 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 +1344,Select or add new customer,選擇或添加新客戶 +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/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/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統 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 +231,{0} {1} has been modified. Please refresh.,{0} {1} 已修改。請更新。 DocType: Leave Block List,Stop users from making Leave Applications on following days.,停止用戶在下面日期提出休假申請。 @@ -4213,7 +4227,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 +1637,Price List not found or disabled,價格表未找到或被禁用 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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}必須設定為“左” @@ -4231,7 +4245,7 @@ DocType: POS Profile,Account for Change Amount,帳戶漲跌額 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:甲方/客戶不與匹配{1} / {2} {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,請輸入您的費用帳戶 DocType: Account,Stock,庫存 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄 DocType: Employee,Current Address,當前地址 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",如果項目是另一項目,然後描述,圖像,定價,稅費等會從模板中設定的一個變體,除非明確指定 DocType: Serial No,Purchase / Manufacture Details,採購/製造詳細資訊 @@ -4266,10 +4280,11 @@ DocType: Purchase Taxes and Charges,On Previous Row Amount,在上一行金額 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,轉讓資產 DocType: POS Profile,POS Profile,POS簡介 DocType: Training Event,Event Name,事件名稱 -apps/erpnext/erpnext/config/schools.py +39,Admission,入場 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,入場 apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。 apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",項目{0}是一個模板,請選擇它的一個變體 DocType: Asset,Asset Category,資產類別 +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,購買者 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,淨工資不能為負 DocType: SMS Settings,Static Parameters,靜態參數 DocType: Assessment Plan,Room,房間 @@ -4278,6 +4293,7 @@ DocType: Item,Item Tax,產品稅 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,材料到供應商 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,消費稅發票 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出現%不止一次 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客戶>客戶群>地區 DocType: Expense Claim,Employees Email Id,員工的電子郵件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,流動負債 @@ -4343,6 +4359,7 @@ DocType: Leave Type,Is Carry Forward,是弘揚 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,未提交工資單 ,Stock Summary,股票摘要 diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv index 10f3b77247..7a3edbf517 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 +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel",停止生产订单无法取消,首先Unstop它取消 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +192,"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,选择默认供应商 @@ -72,7 +72,7 @@ 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 +845,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1} +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 +808,Invoice,发票 DocType: Maintenance Schedule Item,Periodicity,周期性 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会计年度{0}是必需的 @@ -89,7 +89,7 @@ apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py DocType: Production Order Operation,Work In Progress,在制品 apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,请选择日期 DocType: Employee,Holiday List,假期列表 -apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,会计 +apps/erpnext/erpnext/public/js/setup_wizard.js +214,Accountant,会计 DocType: Cost Center,Stock User,库存用户 DocType: Company,Phone No,电话号码 apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,课程表创建: @@ -110,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 +269,Kg,千克 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Kg,千克 DocType: Student Log,Log,日志 apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,开放的工作。 DocType: Item Attribute,Increment,增量 @@ -120,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 +42,Not permitted for {0},不允许{0} apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,从获得项目 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},送货单{0}不能更新库存 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +442,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 +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 +1673,Not items found,未找到项目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1767,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,销售发票品目 @@ -142,9 +142,10 @@ apps/erpnext/erpnext/config/stock.py +32,Stock Reports,库存报告 DocType: Warehouse,Warehouse Detail,仓库详细信息 apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},客户{0} 的信用额度已经越过 {1} / {2} 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 +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",是固定资产不能被反选,因为存在资产记录的项目 +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/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,同名客户已存在 @@ -160,7 +161,6 @@ apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +171,Openi apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},从{0}至 {1} DocType: Item,Copy From Item Group,从品目组复制 DocType: Journal Entry,Opening Entry,开放报名 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客户>客户群>地区 apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,账户只需支付 DocType: Employee Loan,Repay Over Number of Periods,偿还期的超过数 DocType: Stock Entry,Additional Costs,额外费用 @@ -178,7 +178,7 @@ 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/setup/setup_wizard/industry_type.py +44,Real Estate,房地产 -apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,对账单 +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,制药 DocType: Purchase Invoice Item,Is Fixed Asset,是固定的资产 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",可用数量是{0},则需要{1} @@ -186,7 +186,7 @@ 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/public/js/setup_wizard.js +266,Consumable,耗材 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,拉根据上述标准型的制造材料要求 @@ -212,12 +212,12 @@ 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 +143,At least one mode of payment is required for POS invoice.,付款中的至少一个模式需要POS发票。 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +144,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 +302,Example: Basic Mathematics,例如:基础数学 +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/config/hr.py +214,Settings for HR Module,人力资源模块的设置 DocType: SMS Center,SMS Center,短信中心 @@ -235,6 +235,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,项目和定价 apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},总时间:{0} apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},起始日期应该在财年之内。财年起始日是{0} +apps/erpnext/erpnext/hooks.py +87,Quotes,行情 DocType: Customer,Individual,个人 DocType: Interest,Academics User,学术界用户 DocType: Cheque Print Template,Amount In Figure,量图 @@ -265,7 +266,7 @@ DocType: Employee,Create User,创建用户 DocType: Selling Settings,Default Territory,默认地区 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +53,Television,电视 DocType: Production Order Operation,Updated via 'Time Log',通过“时间日志”更新 -apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},提前量不能大于{0} {1} +apps/erpnext/erpnext/controllers/taxes_and_totals.py +420,Advance amount cannot be greater than {0} {1},提前量不能大于{0} {1} DocType: Naming Series,Series List for this Transaction,此交易的系列列表 DocType: Company,Enable Perpetual Inventory,启用永久库存 DocType: Company,Default Payroll Payable Account,默认情况下,应付职工薪酬帐户 @@ -273,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 +177,For Warehouse is required before Submit,提交前必须选择仓库 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,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 +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 +2256,"LocalStorage is full , did not save",localStorage的满了,没救 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2350,"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 +228,Contact Name,联系人姓名 +apps/erpnext/erpnext/public/js/setup_wizard.js +254,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客户群 @@ -301,13 +302,13 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,解除日期必须大于加入的日期 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 +189,Warehouse {0} does not belong to company {1},仓库{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 +270,Litre,升 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,已禁止请假 -apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},项目{0}已经到达寿命终止日期{1} +apps/erpnext/erpnext/stock/doctype/item/item.py +672,Item {0} has reached its end of life on {1},项目{0}已经到达寿命终止日期{1} apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,银行条目 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,全年 DocType: Stock Reconciliation Item,Stock Reconciliation Item,库存盘点品目 @@ -315,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 +316,People who teach at your organisation,谁在您的组织教人 +apps/erpnext/erpnext/public/js/setup_wizard.js +346,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,最小起订量 @@ -326,7 +327,7 @@ DocType: POS Profile,Allow user to edit Rate,允许用户编辑率 DocType: Item,Publish in Hub,在发布中心 DocType: Student Admission,Student Admission,学生入学 ,Terretory,区域 -apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,项目{0}已取消 +apps/erpnext/erpnext/stock/doctype/item/item.py +692,Item {0} is cancelled,项目{0}已取消 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,物料申请 DocType: Bank Reconciliation,Update Clearance Date,更新清拆日期 DocType: Item,Purchase Details,购买详情 @@ -349,7 +350,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +138,Please DocType: Student Group Student,Student Group Student,学生组学生 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,最新 DocType: Vehicle Service,Inspection,检查 -apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,名单 +apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,清单 DocType: Email Digest,New Quotations,新报价 DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,电子邮件工资单员工根据员工选择首选的电子邮件 DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,假期审批人列表的第一个将被设为默认审批人 @@ -367,7 +368,7 @@ DocType: Vehicle,Fleet Manager,车队经理 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,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 +368,Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量” +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +363,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,循环引用错误 @@ -384,7 +385,7 @@ apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delive 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.,付款项被修改,你把它之后。请重新拉。 -apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0}输入了两次税项 +apps/erpnext/erpnext/stock/doctype/item/item.py +435,{0} entered twice in Item Tax,{0}输入了两次税项 apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,本周和待活动总结 DocType: Student Applicant,Admitted,录取 DocType: Workstation,Rent Cost,租金成本 @@ -418,7 +419,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attac DocType: Purchase Order,% Received,%已收货 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,创建挺起胸 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,安装已经完成! -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,信用额度 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Credit Note Amount,信用额度 ,Finished Goods,成品 DocType: Delivery Note,Instructions,说明 DocType: Quality Inspection,Inspected By,验货人 @@ -446,8 +447,9 @@ 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 +1456,Create a new Customer,创建一个新的客户 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1550,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/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,创建采购订单 ,Purchase Register,购买注册 DocType: Course Scheduling Tool,Rechedule,Rechedule @@ -472,7 +474,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 +330,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。 +apps/erpnext/erpnext/public/js/setup_wizard.js +361,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 +495,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +150,Please set d apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有生产流程的全局设置。 DocType: Accounts Settings,Accounts Frozen Upto,账户被冻结到...为止 DocType: SMS Log,Sent On,发送日期 -apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,属性{0}多次选择在属性表 +apps/erpnext/erpnext/stock/doctype/item/item.py +634,Attribute {0} selected multiple times in Attributes Table,属性{0}多次选择在属性表 DocType: HR Settings,Employee record is created using selected field. ,使用所选字段创建员工记录。 DocType: Sales Order,Not Applicable,不适用 apps/erpnext/erpnext/config/hr.py +70,Holiday master.,假期大师 @@ -529,7 +531,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 +219,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +244,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",按科目分类后不能根据科目过滤 @@ -544,7 +546,7 @@ apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,请重新拉。 DocType: Production Order,Additional Operating Cost,额外的运营成本 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,化妆品 -apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",若要合并,以下属性必须为这两个项目是相同的 +apps/erpnext/erpnext/stock/doctype/item/item.py +530,"To merge, following properties must be same for both items",若要合并,以下属性必须为这两个项目是相同的 DocType: Shipping Rule,Net Weight,净重 DocType: Employee,Emergency Phone,紧急电话 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,购买 @@ -554,7 +556,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 +2428,Serial no item cannot be a fraction,序号项目不能是一个分数 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2522,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 +575,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Refere DocType: Purchase Receipt,Add / Edit Taxes and Charges,添加/编辑税金及费用 DocType: Purchase Invoice,Supplier Invoice No,供应商发票编号 DocType: Territory,For reference,供参考 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +154,"Cannot delete Serial No {0}, as it is used in stock transactions",无法删除序列号{0},因为它采用的是现货交易 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Cannot delete Serial No {0}, as it is used in stock transactions",无法删除序列号{0},因为它采用的是现货交易 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),结算(信用) apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Move Item,移动项目 DocType: Serial No,Warranty Period (Days),保修期限(天数) @@ -594,7 +596,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliat apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,请选择公司和党的第一型 apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,财务/会计年度。 apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累积值 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",抱歉,序列号无法合并 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +162,"Sorry, Serial Nos cannot be merged",抱歉,序列号无法合并 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,创建销售订单 DocType: Project Task,Project Task,项目任务 ,Lead Id,线索ID @@ -614,6 +616,7 @@ apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_ac DocType: Leave Control Panel,Allocate,调配 apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,销售退货 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,注:总分配叶{0}应不低于已核定叶{1}期间 +,Total Stock Summary,总库存总结 DocType: Announcement,Posted By,发布者 DocType: Item,Delivered by Supplier (Drop Ship),由供应商交货(直接发运) apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,潜在客户数据库。 @@ -622,7 +625,7 @@ apps/erpnext/erpnext/config/selling.py +28,Customer database.,客户数据库。 DocType: Quotation,Quotation To,报价对象 DocType: Lead,Middle Income,中等收入 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),开幕(CR ) -apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,测度项目的默认单位{0}不能直接改变,因为你已经做了一些交易(S)与其他计量单位。您将需要创建一个新的项目,以使用不同的默认计量单位。 +apps/erpnext/erpnext/stock/doctype/item/item.py +798,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,测度项目的默认单位{0}不能直接改变,因为你已经做了一些交易(S)与其他计量单位。您将需要创建一个新的项目,以使用不同的默认计量单位。 apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,调配数量不能为负 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,请设定公司 apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,请设定公司 @@ -644,6 +647,7 @@ apps/erpnext/erpnext/config/accounts.py +80,Masters,主数据 DocType: Assessment Plan,Maximum Assessment Score,最大考核评分 apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,更新银行交易日期 apps/erpnext/erpnext/config/projects.py +30,Time Tracking,时间跟踪 +DocType: Sales Invoice,DUPLICATE FOR TRANSPORTER,输送机重复 DocType: Fiscal Year Company,Fiscal Year Company,公司财政年度 DocType: Packing Slip Item,DN Detail,送货单详情 DocType: Training Event,Conference,会议 @@ -683,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 +320,Timesheet created:,创建时间表: -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0} +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/schools/doctype/student_applicant/student_applicant.js +20,Enroll,注册 DocType: GST Settings,GST Settings,GST设置 DocType: Selling Settings,Customer Naming By,客户命名方式 @@ -713,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 +139,Finish,完 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +284,Finish,完 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,基础 DocType: Timesheet,Total Billed Hours,帐单总时间 DocType: Journal Entry,Write Off Amount,核销金额 @@ -748,7 +752,7 @@ DocType: Hub Settings,Seller City,卖家城市 ,Absent Student Report,缺席学生报告 DocType: Email Digest,Next email will be sent on:,下次邮件发送时间: DocType: Offer Letter Term,Offer Letter Term,报价函期限 -apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,项目有变体。 +apps/erpnext/erpnext/stock/doctype/item/item.py +613,Item has variants.,项目有变体。 apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,项目{0}未找到 DocType: Bin,Stock Value,库存值 apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,公司{0}不存在 @@ -765,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 +49,In Value,金额 DocType: Lead,Campaign Name,活动名称 DocType: Selling Settings,Close Opportunity After Days,关闭机会后日 ,Reserved,保留的 @@ -795,12 +799,12 @@ apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{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 +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海报价格规则,同样的标准存在,请分配优先级解决冲突。价格规则:{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,因为它被其他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 +48,Make Timesheet,制作时间表 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +110,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 @@ -850,13 +854,13 @@ 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,家庭背景 DocType: Request for Quotation Supplier,Send Email,发送电子邮件 -apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},警告:无效的附件{0} -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,无此权限 +apps/erpnext/erpnext/stock/doctype/item/item.py +203,Warning: Invalid Attachment {0},警告:无效的附件{0} +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +755,No Permission,无此权限 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 +269,Nos,Nos +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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}必须提交 @@ -876,7 +880,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 +274,Timesheet {0} is already completed or cancelled,时间表{0}已完成或取消 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +275,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,打开累计折旧 @@ -964,14 +968,14 @@ apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795, apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,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 +303,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 +298,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 +543,BOM {0} must be active,BOM{0}处于非活动状态 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,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} -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},序列号{0}不属于品目{1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} does not belong to Item {1},序列号{0}不属于品目{1} DocType: Purchase Receipt Item Supplied,Required Qty,所需数量 apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,与现有的交易仓库不能转换到总帐。 DocType: Bank Reconciliation,Total Amount,总金额 @@ -988,7 +992,7 @@ apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not DocType: Fee Structure,Components,组件 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},请输入项目资产类别{0} DocType: Quality Inspection Reading,Reading 6,阅读6 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,无法{0} {1} {2}没有任何负面的优秀发票 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +887,Cannot {0} {1} {2} without any negative outstanding invoice,无法{0} {1} {2}没有任何负面的优秀发票 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} @@ -1002,12 +1006,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 +731,New Sales Invoice,新的销售发票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +825,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 +744,Sync Offline Invoices,同步离线发票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +838,Sync Offline Invoices,同步离线发票 DocType: Payment Request,Paid,付费 DocType: Program Fee,Program Fee,课程费用 DocType: Salary Slip,Total in words,总字 @@ -1040,10 +1044,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,化学品 DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,默认银行/现金帐户时,会选择此模式可以自动在工资日记条目更新。 DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司货币) -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,所有品目都已经转移到这个生产订单。 +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 +270,Meter,仪表 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Meter,仪表 DocType: Workstation,Electricity Cost,电力成本 DocType: HR Settings,Don't send Employee Birthday Reminders,不要发送员工生日提醒 DocType: Item,Inspection Criteria,检验标准 @@ -1065,7 +1069,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 +452,Please enter Account for Change Amount,对于涨跌额请输入帐号 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +453,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,平衡贷款额 @@ -1073,7 +1077,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 +259,Qty for {0},{0}数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +348,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,禁离日列表日期 @@ -1085,9 +1089,9 @@ DocType: Purchase Invoice,Cash/Bank Account,现金/银行账户 apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},请指定{0} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,删除的项目在数量或价值没有变化。 DocType: Delivery Note,Delivery To,交货对象 -apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,属性表是强制性的 +apps/erpnext/erpnext/stock/doctype/item/item.py +631,Attribute table is mandatory,属性表是强制性的 DocType: Production Planning Tool,Get Sales Orders,获取销售订单 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0}不能为负 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0}不能为负 apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,折扣 DocType: Asset,Total Number of Depreciations,折旧总数 DocType: Sales Invoice Item,Rate With Margin,利率保证金 @@ -1124,7 +1128,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 +1546,ZIP Code,邮编 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1640,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条目 @@ -1143,7 +1147,7 @@ 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 +238,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。 +apps/erpnext/erpnext/public/js/setup_wizard.js +264,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),最低铅年龄(天) @@ -1168,7 +1172,7 @@ DocType: Company,Company registration numbers for your reference. Tax numbers et DocType: Sales Partner,Distributor,经销商 DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,购物车配送规则 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,生产订单{0}必须取消这个销售订单之前被取消 -apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',请设置“收取额外折扣” +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,从范围必须小于要范围 DocType: Global Defaults,Global Defaults,全局默认值 @@ -1176,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 +22,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位数字应与状态号{0}匹配 +apps/erpnext/erpnext/regional/india/utils.py +23,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 +347,Capacity Planning Error,容量规划错误 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +342,Capacity Planning Error,容量规划错误 ,Trial Balance for Party,试算表的派对 DocType: Lead,Consultant,顾问 DocType: Salary Slip,Earnings,盈余 @@ -1198,7 +1202,7 @@ DocType: Purchase Invoice,Is Return,再来 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,返回/借记注 DocType: Price List Country,Price List Country,价目表国家 DocType: Item,UOMs,计量单位 -apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},品目{1}有{0}个有效序列号 +apps/erpnext/erpnext/stock/utils.py +205,{0} valid serial nos for Item {1},品目{1}有{0}个有效序列号 apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,项目编号不能因序列号改变 apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS简介{0}已经为用户创建:{1}和公司{2} DocType: Sales Invoice Item,UOM Conversion Factor,计量单位换算系数 @@ -1208,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 +675,Cost Center For Item with Item Code ',成本中心:品目代码‘ -apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"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 +2483,"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",进一步帐户可以根据组进行,但条目可针对非组进行 @@ -1251,7 +1255,7 @@ 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,查看总帐 DocType: Grading Scale,Intervals,间隔 apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,最早 -apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",同名品目群组已存在,请修改品目名或群组名 +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/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,物件{0}不能有批次 @@ -1280,7 +1284,7 @@ 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 +288,Example: Masters in Computer Science,举例:硕士计算机科学 +apps/erpnext/erpnext/public/js/setup_wizard.js +316,Example: Masters in Computer Science,举例:硕士计算机科学 DocType: Purchase Invoice,Rejected Warehouse,拒绝仓库 DocType: GL Entry,Against Voucher,对凭证 DocType: Item,Default Buying Cost Center,默认采购成本中心 @@ -1291,7 +1295,7 @@ apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Ac apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,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 +65,Sales Order {0} is not valid,销售订单{0}无效 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +66,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} \ @@ -1309,14 +1313,14 @@ apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise DocType: Employee,Place of Issue,签发地点 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,合同 DocType: Email Digest,Add Quote,添加报价 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},物件{1}的计量单位{0}需要单位换算系数 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +868,UOM coversion factor required for UOM: {0} in Item: {1},物件{1}的计量单位{0}需要单位换算系数 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 +736,Sync Master Data,同步主数据 -apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,您的产品或服务 +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,您的产品或服务 DocType: Mode of Payment,Mode of Payment,付款方式 -apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址 +apps/erpnext/erpnext/stock/doctype/item/item.py +177,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址 DocType: Student Applicant,AP,美联社 DocType: Purchase Invoice Item,BOM,BOM apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,这是一个root群组,无法被编辑。 @@ -1334,14 +1338,13 @@ 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 +562,Delivery Note {0} is not submitted,送货单{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +563,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.",定价规则是第一选择是基于“应用在”字段,可以是项目,项目组或品牌。 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 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},生产订单状态为{0} DocType: Appraisal Goal,Goal,目标 DocType: Sales Invoice Item,Edit Description,编辑说明 ,Team Updates,团队更新 @@ -1357,14 +1360,14 @@ apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,儿童仓库存在这个仓库。您不能删除这个仓库。 DocType: Item,Website Item Groups,网站物件组 DocType: Purchase Invoice,Total (Company Currency),总(公司货币) -apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,序列号{0}已多次输入 +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 +78,{0} items in progress,{0}操作中的单品 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +141,{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 +549,BOM {0} does not belong to Item {1},BOM{0}不属于品目{1} +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +552,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,这就是以这个前缀的最后一个创建的事务数 @@ -1423,7 +1426,6 @@ apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_re 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/public/js/setup_wizard.js +345,Bootstrap,引导 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,7 +1438,7 @@ 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 +260,Max: {0},最大值:{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +349,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.,通信日志。 @@ -1446,7 +1448,7 @@ DocType: Sales Invoice,Shipping Address Name,送货地址姓名 apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,科目表 DocType: Material Request,Terms and Conditions Content,条款和条件内容 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,不能大于100 -apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,项目{0}不是库存项目 +apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is not a stock Item,项目{0}不是库存项目 DocType: Maintenance Visit,Unscheduled,计划外 DocType: Employee,Owned,资 DocType: Salary Detail,Depends on Leave Without Pay,依赖于无薪休假 @@ -1477,7 +1479,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 +273,We buy this Item,我们购买这些物件 +apps/erpnext/erpnext/public/js/setup_wizard.js +301,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,显示未关闭的会计年度的盈亏平衡 @@ -1488,7 +1490,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 +266,Sub Assemblies,半成品 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,Sub Assemblies,半成品 DocType: Asset,Asset Name,资产名称 DocType: Project,Task Weight,任务重 DocType: Shipping Rule Condition,To Value,To值 @@ -1521,12 +1523,12 @@ apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation. DocType: Sales Invoice,Source,源 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 +239,Asset Category is mandatory for Fixed Asset item,资产类别是强制性的固定资产项目 +apps/erpnext/erpnext/stock/doctype/item/item.py +235,Asset Category is mandatory for Fixed Asset item,资产类别是强制性的固定资产项目 apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,没有在支付表中找到记录 apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}冲突{1}在{2} {3} DocType: Student Attendance Tool,Students HTML,学生HTML DocType: POS Profile,Apply Discount,应用折扣 -DocType: Purchase Invoice Item,GST HSN Code,GST HSN代码 +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 +283,Packing Slip(s) cancelled,装箱单( S)取消 @@ -1569,8 +1571,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 +2573,Default warehouse is required for selected item,默认仓库需要选中的项目 -apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,箱 +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 +873,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,接收人列表为空。请创建接收人列表 @@ -1600,7 +1602,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing DocType: Employee Loan,Repayment Method,还款方式 DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果选中,主页将是网站的默认项目组 DocType: Quality Inspection Reading,Reading 4,阅读4 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +499,Default BOM for {0} not found for Project {1},默认BOM {0}未找到项目{1} 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} @@ -1617,29 +1618,29 @@ apps/erpnext/erpnext/templates/pages/projects.html +27,New task,新任务 apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,请报价 apps/erpnext/erpnext/config/selling.py +216,Other Reports,其他报告 DocType: Dependent Task,Dependent Task,相关任务 -apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},行{0}中默认计量单位的转换系数必须是1 +apps/erpnext/erpnext/stock/doctype/item/item.py +401,Conversion factor for default Unit of Measure must be 1 in row {0},行{0}中默认计量单位的转换系数必须是1 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} DocType: SMS Center,Receiver List,接收人列表 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,搜索项目 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1154,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 +403,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 +601,Already completed,已经完成 +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/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 +263,Quantity must not be more than {0},数量不能超过{0} +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +352,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 DocType: Account,Account Name,帐户名称 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,起始日期不能大于结束日期 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,序列号{0}的数量{1}不能是分数 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +198,Serial No {0} quantity {1} cannot be a fraction,序列号{0}的数量{1}不能是分数 apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,主要的供应商类型。 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 @@ -1647,6 +1648,7 @@ 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: Delivery Note,Vehicle Dispatch Date,车辆调度日期 +DocType: Purchase Order Item,HSN/SAC,HSN / SAC apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,外购入库单{0}未提交 DocType: Company,Default Payable Account,默认应付账户 apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",网上购物车,如配送规则,价格表等的设置 @@ -1702,7 +1704,7 @@ DocType: Leave Type,Include holidays within leaves as leaves,叶叶子中包括 DocType: Sales Invoice,Packed Items,盒装项目 apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,针对序列号提出的保修申请 DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",在它使用的所有其他材料明细表替换特定的BOM。它将取代旧的BOM链接,更新成本和再生“BOM爆炸物品”表按照新的BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','总' +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +61,'Total','总' DocType: Shopping Cart Settings,Enable Shopping Cart,启用购物车 DocType: Employee,Permanent Address,永久地址 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \ @@ -1738,6 +1740,7 @@ DocType: Material Request,Transferred,转入 DocType: Vehicle,Doors,门 apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext设置完成! DocType: Course Assessment Criteria,Weightage,权重 +DocType: Sales 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,同名的客户组已经存在,请更改客户姓名或重命名该客户组 @@ -1757,7 +1760,7 @@ 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 +699,Offline,离线 +apps/erpnext/erpnext/accounts/page/pos/pos.js +793,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,求职申请 @@ -1773,7 +1776,7 @@ apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,主 apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,变体 DocType: Naming Series,Set prefix for numbering series on your transactions,为交易设置编号系列的前缀 DocType: Employee Attendance Tool,Employees HTML,HTML员工 -apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,默认BOM({0})必须是活动的这个项目或者其模板 +apps/erpnext/erpnext/stock/doctype/item/item.py +415,Default BOM ({0}) must be active for this item or its template,默认BOM({0})必须是活动的这个项目或者其模板 DocType: Employee,Leave Encashed?,假期已使用? apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,从机会是必选项 DocType: Email Digest,Annual Expenses,年度支出 @@ -1786,7 +1789,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 +175,Work-in-Progress Warehouse is required before Submit,提交前需要指定在制品仓库 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +173,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,7 +1799,7 @@ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_ apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生群体力量 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,日记帐分录{0}没有不符合的{1}分录 apps/erpnext/erpnext/config/hr.py +137,Appraisals,估价 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},品目{0}的序列号重复 +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}。要允许对帐单,请在购买设置中设置 @@ -1805,7 +1808,7 @@ DocType: Packing Slip,The net weight of this package. (calculated automatically 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 +546,BOM {0} must be submitted,BOM{0}未提交 +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,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 +766,Payment,付款 @@ -1824,12 +1827,12 @@ 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 +257,"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 +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.",列出您采购或销售的产品或服务。请确认品目群组,计量单位或其他属性。 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: Asset Movement,Asset Movement,资产运动 -apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,新的车 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2201,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,7 +1858,7 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gai DocType: Landed Cost Voucher,Get Items From Purchase Receipts,从购买收据获取品目 DocType: Serial No,Creation Date,创建日期 apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},产品{0}多次出现价格表{1} -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",如果“适用于”的值为{0},则必须选择“销售” +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",如果“适用于”的值为{0},则必须选择“销售” DocType: Production Plan Material Request,Material Request Date,材料申请日期 DocType: Purchase Order Item,Supplier Quotation Item,供应商报价品目 DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,禁止对创作生产订单的时间日志。操作不得对生产订单追踪 @@ -1872,12 +1875,12 @@ DocType: Supplier,Supplier of Goods or Services.,提供商品或服务的供应 DocType: Budget,Fiscal Year,财政年度 DocType: Vehicle Log,Fuel Price,燃油价格 DocType: Budget,Budget,预算 -apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,固定资产项目必须是一个非库存项目。 +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 +209,e.g. 5,例如5 +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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.,大写金额将在销售发票保存后显示。 @@ -1886,7 +1889,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 +263,A Product or Service,产品或服务 +apps/erpnext/erpnext/public/js/setup_wizard.js +291,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,当前值 @@ -1962,7 +1965,7 @@ apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the D 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 +269,Pair,对 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,Pair,对 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,选择BOM和数量生产 DocType: Asset,Depreciation Schedule,折旧计划 apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,销售合作伙伴地址和联系人 @@ -1981,10 +1984,10 @@ apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Ass 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 +160,Item Group not mentioned in item master for item {0},项目{0}的项目群组没有设置 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,入借帐户必须是应收账科目 +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,入借帐户必须是应收账科目 DocType: Shipping Rule Condition,Shipping Amount,发货数量 -apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,添加客户 +apps/erpnext/erpnext/public/js/setup_wizard.js +243,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,6 +2004,7 @@ DocType: Journal Entry,Accounts Receivable,应收帐款 ,Supplier-Wise Sales Analytics,供应商特定的销售分析 apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,输入支付的金额 DocType: Salary Structure,Select employees for current Salary Structure,当前薪酬结构中选择员工 +DocType: Sales Invoice,Company Address Name,公司地址名称 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)",家长课程(如果不是家长课程的一部分,请留空) @@ -2021,7 +2025,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 +269,Unit,单位 +apps/erpnext/erpnext/public/js/setup_wizard.js +297,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,维护拒收物件的仓库 @@ -2043,7 +2047,7 @@ 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/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 +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参考文件类型必须是销售订单之一,销售发票或日记帐分录 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1006,"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}:从时间和时间是强制性的。 DocType: Stock Reconciliation Item,Amount Difference,金额差异 @@ -2052,7 +2056,7 @@ apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please e DocType: Territory,Classification of Customers by region,客户按区域分类 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,差量必须是零 DocType: Project,Gross Margin,毛利 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +201,Please enter Production Item first,请先输入生产项目 +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 +748,Quotation,报价 @@ -2064,7 +2068,7 @@ 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: Opportunity,Customer / Lead Address,客户/潜在客户地址 -apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},警告:附件{0}中存在无效的SSL证书 +apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid SSL certificate on attachment {0},警告:附件{0}中存在无效的SSL证书 DocType: Student Admission,Eligibility,合格 apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",信息帮助你的业务,你所有的联系人和更添加为您的线索 DocType: Production Order Operation,Actual Operation Time,实际操作时间 @@ -2083,11 +2087,11 @@ DocType: Appraisal,Calculate Total Score,计算总分 DocType: Request for Quotation,Manufacturing Manager,生产经理 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},序列号{0}截至至{1}之前在保修内。 apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,分裂送货单成包。 -apps/erpnext/erpnext/hooks.py +87,Shipments,发货 +apps/erpnext/erpnext/hooks.py +94,Shipments,发货 DocType: Payment Entry,Total Allocated Amount (Company Currency),总拨款额(公司币种) DocType: Purchase Order Item,To be delivered to customer,要传送给客户 DocType: BOM,Scrap Material Cost,废料成本 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,序列号{0}不属于任何仓库 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +227,Serial No {0} does not belong to any Warehouse,序列号{0}不属于任何仓库 DocType: Purchase Invoice,In Words (Company Currency),大写金额(公司货币) DocType: Asset,Supplier,供应商 DocType: C-Form,Quarter,季 @@ -2102,11 +2106,10 @@ DocType: Leave Application,Total Leave Days,总休假天数 DocType: Email Digest,Note: Email will not be sent to disabled users,注意:邮件不会发送给已禁用用户 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次数 apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次数 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品编号>商品组>品牌 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 +408,{0} is mandatory for Item {1},{0}是{1}的必填项 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +409,{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一行选择分配金额,发票类型和发票号码 @@ -2150,7 +2153,8 @@ 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 DocType: Expense Claim Detail,Expense Claim Detail,报销详情 -apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,请选择正确的帐户 +DocType: Sales Invoice,TRIPLICATE FOR SUPPLIER,供应商提供服务 +apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +859,Please select correct account,请选择正确的帐户 DocType: Item,Weight UOM,重量计量单位 DocType: Salary Structure Employee,Salary Structure Employee,薪资结构员工 DocType: Employee,Blood Group,血型 @@ -2172,7 +2176,7 @@ DocType: Student,Guardians,守护者 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 +336,Debit To is required,借记是必需的 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +337,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,7 +2189,7 @@ apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},总未付:{0} DocType: BOM Website Operation,BOM Website Operation,BOM网站运营 apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,报价函 apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,生成材料要求(MRP)和生产订单。 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,总开票金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,Total Invoiced Amt,总开票金额 DocType: BOM,Conversion Rate,兑换率 apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,产品搜索 DocType: Timesheet Detail,To Time,要时间 @@ -2200,7 +2204,7 @@ 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}无法使用库存调节更新,请使用库存条目 DocType: Training Event Employee,Training Event Employee,培训活动的员工 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,物料{1}需要{0}的序列号。您已提供{2}。 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,{0} Serial Numbers required for Item {1}. You have provided {2}.,物料{1}需要{0}的序列号。您已提供{2}。 DocType: Stock Reconciliation Item,Current Valuation Rate,目前的估值价格 DocType: Item,Customer Item Codes,客户项目代码 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,兑换收益/损失 @@ -2248,7 +2252,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 +2454,Select Batch No,选择批号 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2548,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,预付款总额 @@ -2272,19 +2276,19 @@ DocType: Leave Block List,Allow Users,允许用户(多个) DocType: Purchase Order,Customer Mobile No,客户手机号码 DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,跟踪独立收入和支出进行产品垂直或部门。 DocType: Rename Tool,Rename Tool,重命名工具 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,更新成本 +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 +438,Show Salary Slip,显示工资单 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,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 +1064,Please set recurring after saving,请设置保存后复发 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,选择变化量账户 +apps/erpnext/erpnext/public/js/controllers/transaction.js +985,Please set recurring after saving,请设置保存后复发 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +742,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 +200,Add Taxes,添加税款 +apps/erpnext/erpnext/public/js/setup_wizard.js +224,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,6 +2299,7 @@ DocType: Stock Entry,Purchase Receipt No,购买收据号码 apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,保证金 DocType: Process Payroll,Create Salary Slip,建立工资单 apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,可追溯性 +DocType: Purchase Invoice Item,HSN/SAC Code,HSN / SAC代码 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,雇员 @@ -2324,7 +2329,7 @@ DocType: Employee Education,Post Graduate,研究生 DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,维护计划细节 DocType: Quality Inspection Reading,Reading 9,阅读9 DocType: Supplier,Is Frozen,被冻结 -apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,组节点仓库不允许选择用于交易 +apps/erpnext/erpnext/stock/utils.py +217,Group node warehouse is not allowed to select for transactions,组节点仓库不允许选择用于交易 DocType: Buying Settings,Buying Settings,采购设置 DocType: Stock Entry Detail,BOM No. for a Finished Good Item,成品品目的BOM编号 DocType: Upload Attendance,Attendance To Date,考勤结束日期 @@ -2339,13 +2344,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 +164,{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 +163,{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 +472,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含下降航运项目。 +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.js +153,You can not change rate if BOM mentioned agianst any item,如果任何条目中引用了BOM,你不能更改其税率 +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,对于数量 apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},请输入计划数量的项目{0}在行{1} @@ -2367,7 +2372,7 @@ DocType: Authorization Rule,Authorized Value,授权值 DocType: BOM,Show Operations,显示操作 ,Minutes to First Response for Opportunity,分钟的机会第一个反应 apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,共缺席 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +793,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合 apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,计量单位 DocType: Fiscal Year,Year End Date,年度结束日期 DocType: Task Depends On,Task Depends On,任务取决于 @@ -2451,7 +2456,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 +106,Cannot produce more Item {0} than Sales Order quantity {1},不能生产超过销售订单数量{1}的品目{0} +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/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,接着联系到不能相同铅邮箱地址 @@ -2549,9 +2554,9 @@ 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 +789,"LocalStorage is full, did not save",localStorage的是满的,没救 +apps/erpnext/erpnext/accounts/page/pos/pos.js +883,"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 +20,Ref,参考 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +14,Ref,参考 DocType: Budget,Cost Center,成本中心 apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,凭证 # DocType: Notification Control,Purchase Order Message,采购订单的消息 @@ -2567,7 +2572,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 +1165,Please enter Item Code to get batch no,请输入产品编号,以获得批号 +apps/erpnext/erpnext/public/js/controllers/transaction.js +1086,Please enter Item Code to get batch no,请输入产品编号,以获得批号 apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,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,库存设置 @@ -2586,7 +2591,7 @@ DocType: Project,Task Completion,任务完成 apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,断货 DocType: Appraisal,HR User,HR用户 DocType: Purchase Invoice,Taxes and Charges Deducted,已扣除税费 -apps/erpnext/erpnext/hooks.py +116,Issues,问题 +apps/erpnext/erpnext/hooks.py +124,Issues,问题 apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},状态必须是{0}中的一个 DocType: Sales Invoice,Debit To,入借 DocType: Delivery Note,Required only for sample item.,只对样品项目所需。 @@ -2615,6 +2620,7 @@ apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1} DocType: C-Form Invoice Detail,Territory,区域 apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,请注明无需访问 DocType: Stock Settings,Default Valuation Method,默认估值方法 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +26,Fee,费用 DocType: Vehicle Log,Fuel Qty,燃油数量 DocType: Production Order Operation,Planned Start Time,计划开始时间 DocType: Course,Assessment,评定 @@ -2624,12 +2630,12 @@ 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 +149,Quotation {0} is cancelled,报价{0}已被取消 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,未偿还总额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +25,Total Outstanding Amount,未偿还总额 DocType: Sales Partner,Targets,目标 DocType: Price List,Price List Master,价格表大师 DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,所有的销售交易都可以标记多个**销售人员**,方便你设置和监控目标。 ,S.O. No.,销售订单号 -apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},请牵头建立客户{0} +apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +176,Please create Customer from Lead {0},请牵头建立客户{0} DocType: Price List,Applicable for Countries,适用于国家 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,只留下地位的申请“已批准”和“拒绝”,就可以提交 apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},学生组名称是强制性的行{0} @@ -2667,6 +2673,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/config/hr.py +163,Define various loan types,定义不同的贷款类型 DocType: Bin,FCFS Rate,FCFS率 DocType: Payment Reconciliation Invoice,Outstanding Amount,未偿还的金额 @@ -2709,8 +2716,8 @@ DocType: Stock Entry,Material Transfer for Manufacture,用于生产的物料转 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.,折扣百分比可以应用于一个或所有的价目表。 DocType: Purchase Invoice,Half-yearly,半年一次 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,库存的会计分录 +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +49,You have already assessed for the assessment criteria {}.,您已经评估了评估标准{}。 DocType: Vehicle Service,Engine Oil,机油 -apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 DocType: Sales Invoice,Sales Team1,销售团队1 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,产品{0}不存在 DocType: Sales Invoice,Customer Address,客户地址 @@ -2738,7 +2745,7 @@ apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is f DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,属于本机构的,带独立科目表的法人/附属机构。 DocType: Payment Request,Mute Email,静音电子邮件 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",食品,饮料与烟草 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},只能使支付对未付款的{0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +642,Can only make payment against unbilled {0},只能使支付对未付款的{0} apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,佣金率不能大于100 DocType: Stock Entry,Subcontract,外包 apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,请输入{0}第一 @@ -2766,7 +2773,7 @@ apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not sele ,Student Monthly Attendance Sheet,学生每月考勤表 apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},雇员{0}申请了{1},时间是{2}至{3} apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,项目开始日期 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,直到 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +5,Until,直到 DocType: Rename Tool,Rename Log,重命名日志 apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,学生组或课程表是强制性的 apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,学生组或课程表是强制性的 @@ -2791,7 +2798,7 @@ DocType: Purchase Order Item,Returned Qty,返回的数量 DocType: Employee,Exit,退出 apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,根类型是强制性的 DocType: BOM,Total Cost(Company Currency),总成本(公司货币) -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,序列号{0}已创建 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +299,Serial No {0} created,序列号{0}已创建 DocType: Homepage,Company Description for website homepage,公司介绍了网站的首页 DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes",为方便客户,这些代码可以在打印格式(如发票和送货单)中使用 apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Suplier名称 @@ -2812,7 +2819,7 @@ DocType: SMS Settings,SMS Gateway URL,短信网关的URL apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,课程表删除: apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,日志维护短信发送状态 DocType: Accounts Settings,Make Payment via Journal Entry,通过日记帐分录进行付款 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,印上 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,印上 DocType: Item,Inspection Required before Delivery,分娩前检查所需 DocType: Item,Inspection Required before Purchase,购买前检查所需 apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,待活动 @@ -2844,9 +2851,10 @@ DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生考 apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,限制交叉 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,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.,这个“学年”一个学期{0}和“术语名称”{1}已经存在。请修改这些条目,然后再试一次。 -apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",由于有对项目{0}现有的交易,你不能改变的值{1} +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}",由于有对项目{0}现有的交易,你不能改变的值{1} DocType: UOM,Must be Whole Number,必须是整数 DocType: Leave Control Panel,New Leaves Allocated (In Days),新调配的假期(天数) +DocType: Sales Invoice,Invoice Copy,发票副本 apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,序列号{0}不存在 DocType: Sales Invoice Item,Customer Warehouse (Optional),客户仓库(可选) DocType: Pricing Rule,Discount Percentage,折扣百分比 @@ -2892,8 +2900,10 @@ 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 +305,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,累计折旧科目 DocType: Stock Settings,Freeze Stock Entries,冻结仓储记录 +DocType: Program Enrollment,Boarding Student,寄宿学生 DocType: Asset,Expected Value After Useful Life,期望值使用寿命结束后 DocType: Item,Reorder level based on Warehouse,根据仓库订货点水平 DocType: Activity Cost,Billing Rate,结算利率 @@ -2920,11 +2930,11 @@ DocType: Serial No,Warranty / AMC Details,保修/ 年度保养合同详情 apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,为基于活动的组手动选择学生 DocType: Journal Entry,User Remark,用户备注 DocType: Lead,Market Segment,市场分类 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金额不能超过总负余额大于{0} +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +892,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金额不能超过总负余额大于{0} DocType: Employee Internal Work History,Employee Internal Work History,雇员内部就职经历 apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),结算(借记) DocType: Cheque Print Template,Cheque Size,支票大小 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,序列号{0}无库存 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +232,Serial No {0} not in stock,序列号{0}无库存 apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,销售业务的税务模板。 DocType: Sales Invoice,Write Off Outstanding Amount,核销未付金额 apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},帐户{0}与公司{1}不符 @@ -2948,7 +2958,7 @@ 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 +348,Add a few sample records,添加了一些样本记录 +apps/erpnext/erpnext/public/js/setup_wizard.js +380,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,完全交付 @@ -2962,17 +2972,17 @@ 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 +418,Customer {0} does not belong to project {1},客户{0}不属于项目{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +419,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,客户采购订单 apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,序列号和批次 DocType: Warranty Claim,From Company,源公司 -apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,评估标准的得分之和必须是{0}。 +apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +40,Sum of Scores of Assessment Criteria needs to be {0}.,评估标准的得分之和必须是{0}。 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 +270,Minute,分钟 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,Minute,分钟 DocType: Purchase Invoice,Purchase Taxes and Charges,购置税和费 ,Qty to Receive,接收数量 DocType: Leave Block List,Leave Block List Allowed,禁离日例外用户 @@ -2993,7 +3003,7 @@ DocType: Production Order,PRO-,PRO- apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,银行透支账户 apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,创建工资单 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行#{0}:分配金额不能大于未结算金额。 -apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,浏览BOM +apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +40,Browse BOM,浏览BOM apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,抵押贷款 DocType: Purchase Invoice,Edit Posting Date and Time,编辑投稿时间 apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},请设置在资产类别{0}或公司折旧相关帐户{1} @@ -3009,7 +3019,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 +278,Select Quantity,选择数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +367,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,从该电子邮件摘要退订 @@ -3032,6 +3042,7 @@ apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target wa apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},不允许对早于{0}的库存交易进行更新 DocType: Purchase Invoice Item,PR Detail,PR详细 DocType: Sales Order,Fully Billed,完全开票 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供应商>供应商类型 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 +127,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),包的总重量,通常是净重+包装材料的重量。 (用于打印) @@ -3070,8 +3081,9 @@ 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}未提交 DocType: Customs Tariff Number,Tariff Number,税则号 +DocType: Production Order Item,Available Qty at WIP Warehouse,在WIP仓库可用的数量 apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,预计 -apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},序列号{0}不属于仓库{1} +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +222,Serial No {0} does not belong to Warehouse {1},序列号{0}不属于仓库{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,注意:系统将不会为品目{0}检查超额发货或超额预订,因为其数量或金额为0 DocType: Notification Control,Quotation Message,报价信息 DocType: Employee Loan,Employee Loan Application,职工贷款申请 @@ -3090,13 +3102,13 @@ apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本凭证金额 apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,供应商开出的账单 DocType: POS Profile,Write Off Account,核销帐户 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,借方票据 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Debit Note Amt,借方票据 apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,折扣金额 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 +207,e.g. VAT,例如增值税 +apps/erpnext/erpnext/public/js/setup_wizard.js +232,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,分包 @@ -3104,7 +3116,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 +1945,Please select customer,请选择客户 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2039,Please select customer,请选择客户 DocType: C-Form,I,I DocType: Company,Asset Depreciation Cost Center,资产折旧成本中心 DocType: Sales Order Item,Sales Order Date,销售订单日期 @@ -3133,7 +3145,7 @@ DocType: Lead,Address Desc,地址倒序 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,党是强制性 DocType: Journal Entry,JV-,将N- DocType: Topic,Topic Name,主题名称 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,必须至少选择'销售'或'采购'其中的一项 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,必须至少选择'销售'或'采购'其中的一项 apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,选择您的业务的性质。 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},行#{0}:引用{1} {2}中的重复条目 apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,生产流程进行的地方。 @@ -3142,7 +3154,7 @@ 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} DocType: Employee,Confirmation Date,确认日期 DocType: C-Form,Total Invoiced Amount,发票总金额 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量 DocType: Account,Accumulated Depreciation,累计折旧 DocType: Stock Entry,Customer or Supplier Details,客户或供应商详细信息 DocType: Employee Loan Application,Required by Date,按日期必填 @@ -3171,10 +3183,10 @@ DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,采购订单 apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,公司名称不能为公司 apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,打印模板的信头。 apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,标题打印模板例如形式发票。 +DocType: Program Enrollment,Walking,步行 DocType: Student Guardian,Student Guardian,学生家长 apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,估值类型罪名不能标记为包容性 DocType: POS Profile,Update Stock,更新库存 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供应商>供应商类型 apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同计量单位的项目会导致不正确的(总)净重值。请确保每个品目的净重使用同一个计量单位。 apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM税率 DocType: Asset,Journal Entry for Scrap,日记帐分录报废 @@ -3228,7 +3240,6 @@ 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/public/js/controllers/transaction.js +995,Show tax break-up,展会税分手 apps/erpnext/erpnext/accounts/party.py +308,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,没有发现学生 @@ -3248,14 +3259,14 @@ apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to 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/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,没有学生 +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 +108,Please enter 'Expected Delivery Date',请输入“预产期” apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,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 +13,Invalid GSTIN or Enter NA for Unregistered,无效的GSTIN或输入NA未注册 +apps/erpnext/erpnext/regional/india/utils.py +14,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,21 +3296,23 @@ DocType: Sales Team,Contribution (%),贡献(%) apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注意:付款分录不会创建,因为“现金或银行账户”没有指定 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,职责 DocType: Expense Claim Account,Expense Claim Account,报销账户 +apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列设置{0}的命名系列 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,请在表中输入ATLEAST 1发票 +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个。 DocType: Stock Reconciliation Item,Before reconciliation,在对账前 apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),已添加的税费(公司货币) -apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,项目税项的行{0}中必须指定类型为税项/收益/支出/应课的账户。 +apps/erpnext/erpnext/stock/doctype/item/item.py +432,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,项目税项的行{0}中必须指定类型为税项/收益/支出/应课的账户。 DocType: Sales Order,Partly Billed,天色帐单 apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,项目{0}必须是固定资产项目 DocType: Item,Default BOM,默认的BOM -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,借方票据金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +24,Debit Note Amount,借方票据金额 apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,请确认重新输入公司名称 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,总街货量金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,总街货量金额 DocType: Journal Entry,Printing Settings,打印设置 DocType: Sales Invoice,Include Payment (POS),包括支付(POS) apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},总借记必须等于总积分。 @@ -3307,20 +3320,19 @@ apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,汽车 DocType: Vehicle,Insurance Company,保险公司 DocType: Asset Category Account,Fixed Asset Account,固定资产帐户 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,变量 -apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,来自送货单 +apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +47,From Delivery Note,来自送货单 DocType: Student,Student Email Address,学生的电子邮件地址 DocType: Timesheet Detail,From Time,起始时间 apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,有现货 DocType: Notification Control,Custom Message,自定义消息 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,投资银行业务 apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,“现金”或“银行账户”是付款分录的必须项 -apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生地址 apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生地址 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 +1517,Address Name,地址名称 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1611,Address Name,地址名称 DocType: Stock Entry,From BOM,从BOM DocType: Assessment Code,Assessment Code,评估准则 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本 @@ -3337,7 +3349,7 @@ apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Iss 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 +678,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。 +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/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,每月还款额不能超过贷款金额较大 @@ -3345,7 +3357,7 @@ apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedu 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 +1874,Enter value must be positive,输入值必须为正 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1968,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.,学生已经注册。 @@ -3354,7 +3366,7 @@ DocType: Process Payroll,Process Payroll,处理工资 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,这个月的假期比工作日多。 DocType: Product Bundle Item,Product Bundle Item,产品包项目 DocType: Sales Partner,Sales Partner Name,销售合作伙伴名称 -apps/erpnext/erpnext/hooks.py +111,Request for Quotations,索取报价 +apps/erpnext/erpnext/hooks.py +118,Request for Quotations,索取报价 DocType: Payment Reconciliation,Maximum Invoice Amount,最大发票额 DocType: Student Language,Student Language,学生语言 apps/erpnext/erpnext/config/selling.py +23,Customers,客户 @@ -3365,7 +3377,7 @@ DocType: Asset,Partially Depreciated,部分贬抑 DocType: Issue,Opening Time,开放时间 apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,必须指定起始和结束日期 apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,证券及商品交易 -apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',测度变异的默认单位“{0}”必须是相同模板“{1}” +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 +847,No Items with Bill of Materials to Manufacture,不与物料清单的项目,以制造 @@ -3384,7 +3396,7 @@ 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 +266,Raw Material,原料 +apps/erpnext/erpnext/public/js/setup_wizard.js +294,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,税额折后金额 @@ -3396,7 +3408,6 @@ apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty 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/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,开业日期应该是截止日期之前, -apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列设置{0}的命名系列 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.,此部门的禁离日 @@ -3409,8 +3420,8 @@ 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 +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',分类是“估值”或“估值和总计”的时候不能扣税。 -apps/erpnext/erpnext/public/js/setup_wizard.js +201,"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 +230,Serial Nos Required for Serialized Item {0},序列化的品目{0}必须指定序列号 +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/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,银行记录 DocType: Authorization Rule,Applicable To (Designation),适用于(指定) @@ -3427,7 +3438,7 @@ 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 +270,Hour,小时 +apps/erpnext/erpnext/public/js/setup_wizard.js +298,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,您无权批准叶子座日期 @@ -3437,7 +3448,7 @@ 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 +645,Point of Sale,销售点 +apps/erpnext/erpnext/accounts/page/pos/pos.js +739,Point of Sale,销售点 DocType: Payment Entry,Received Amount,收金额 DocType: GST Settings,GSTIN Email Sent On,发送GSTIN电子邮件 DocType: Program Enrollment,Pick/Drop by Guardian,由守护者选择 @@ -3454,8 +3465,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 +270,Gram,公克 -apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,量生产必须大于0。 +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/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个单位。 @@ -3481,14 +3492,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 +465,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1} +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +466,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 +834,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +835,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,马克出席了多个员工 @@ -3520,7 +3531,7 @@ 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 +436,Warehouse required for stock Item {0},物件{0}需要指定仓库 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +437,Warehouse required for stock Item {0},物件{0}需要指定仓库 DocType: Leave Allocation,Unused leaves,未使用的叶子 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,信用 DocType: Tax Rule,Billing State,计费状态 @@ -3568,7 +3579,7 @@ apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and 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 +214,Invalid attribute {0} {1},无效的属性{0} {1} +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/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',请选择“所有评估组”以外的评估组 @@ -3669,16 +3680,18 @@ apps/erpnext/erpnext/config/hr.py +115,Salary Components,工资组件 DocType: Program Enrollment Tool,New Academic Year,新学年 apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,返回/信用票据 DocType: Stock Settings,Auto insert Price List rate if missing,自动插入价目表率,如果丢失 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,总支付金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +23,Total Paid Amount,总支付金额 DocType: Production Order Item,Transferred Qty,转让数量 apps/erpnext/erpnext/config/learn.py +11,Navigating,导航 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 +272,We sell this Item,我们卖这些物件 +apps/erpnext/erpnext/public/js/setup_wizard.js +300,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,样品数据 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,半天日期 @@ -3708,7 +3721,7 @@ DocType: Purchase Invoice,Taxes and Charges Added,已添加的税费 ,Sales Funnel,销售管道 apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,缩写是强制性的 DocType: Project,Task Progress,任务进度 -apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,车 +apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,购物车 ,Qty to Transfer,转移数量 apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,向潜在客户或客户发出的报价。 DocType: Stock Settings,Role Allowed to edit frozen stock,角色可以编辑冻结库存 @@ -3726,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 +1186,Please set Company,请设公司 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1205,Please set Company,请设公司 DocType: Pricing Rule,Buying,采购 DocType: HR Settings,Employee Records to be created by,雇员记录创建于 DocType: POS Profile,Apply Discount On,申请折扣 @@ -3743,13 +3756,14 @@ apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be 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,收费 DocType: Attendance,ATT-,ATT- -apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},条码{0}已被品目{1}使用 +apps/erpnext/erpnext/stock/doctype/item/item.py +444,Barcode {0} already used in Item {1},条码{0}已被品目{1}使用 DocType: Lead,Add to calendar on this date,将此日期添加至日历 apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,规则增加运输成本。 DocType: Item,Opening Stock,期初库存 apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,客户是必须项 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0}是退货单的必填项 DocType: Purchase Order,To Receive,接受 +apps/erpnext/erpnext/public/js/setup_wizard.js +205,user@example.com,user@example.com DocType: Employee,Personal Email,个人电子邮件 apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,总方差 DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果启用,系统将自动为库存创建会计分录。 @@ -3760,7 +3774,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 +541,POS Profile required to make POS Entry,需要POS资料,使POS进入 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +542,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,标准销售 @@ -3768,7 +3782,6 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one w DocType: Serial No,Out of Warranty,超出保修期 DocType: BOM Replace Tool,Replace,更换 apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,找不到产品。 -DocType: Production Order,Unstopped,通畅了 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0}不允许销售发票{1} DocType: Sales Invoice,SINV-,SINV- DocType: Request for Quotation Item,Project Name,项目名称 @@ -3779,6 +3792,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} 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}或已经匹配其他凭证 @@ -3816,9 +3830,9 @@ apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34, 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 +100,Item {0} ignored since it is not a stock item,产品{0}不属于库存产品,因此被忽略 +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 +40,Submit this Production Order for further processing.,提交此生产订单以进行下一步处理。 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +102,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,12 +3840,14 @@ 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 +209,Rate (%),率( % ) +apps/erpnext/erpnext/public/js/setup_wizard.js +234,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 +788,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",将用户添加到您的组织,除了自己 +apps/erpnext/erpnext/stock/report/total_stock_summary/total_stock_summary.py +60,Please set Company filter blank if Group By is 'Company',如果Group By是“Company”,请设置公司过滤器空白 apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,发布日期不能是未来的日期 apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列号{1}不相匹配{2} {3} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,事假 @@ -3860,7 +3876,7 @@ DocType: Stock Ledger Entry,Stock Ledger Entry,存库分类帐分录 apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,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 +188,Item {0} is not setup for Serial Nos. Column must be blank,项目{0}没有设置序列号,序列号必须留空 +apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +192,Item {0} is not setup for Serial Nos. Column must be blank,项目{0}没有设置序列号,序列号必须留空 DocType: Accounts Settings,Accounts Settings,账户设置 apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,批准 DocType: Customer,Sales Partner and Commission,销售合作伙伴及佣金 @@ -3875,7 +3891,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 +62,{0} items produced,{0}项目已产生 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +125,{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,回报 @@ -3889,7 +3905,7 @@ 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} DocType: Journal Entry Account,Exchange Rate,汇率 -apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,销售订单{0}未提交 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +560,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,车队的管理 @@ -3914,18 +3930,18 @@ 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 +705,Online,线上 +apps/erpnext/erpnext/accounts/page/pos/pos.js +799,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 +866,Submitted orders can not be deleted,提交的订单不能被删除 +apps/erpnext/erpnext/accounts/page/pos/pos.js +960,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}已被禁用 DocType: Employee Loan,Repay Fixed Amount per Period,偿还每期固定金额 apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},请输入量的项目{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,信用证 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Credit Note Amt,信用证 DocType: Employee External Work History,Employee External Work History,雇员外部就职经历 DocType: Tax Rule,Purchase,采购 apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,余额数量 @@ -3951,7 +3967,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 +2383,Select items to save the invoice,选取要保存发票 +apps/erpnext/erpnext/accounts/page/pos/pos.js +2477,Select items to save the invoice,选取要保存发票 DocType: Employee,Encashment Date,兑现日期 DocType: Training Event,Internet,互联网 DocType: Account,Stock Adjustment,库存调整 @@ -3981,6 +3997,7 @@ DocType: Guardian,Guardian Of ,守护者 DocType: Grading Scale Interval,Threshold,阈 DocType: BOM Replace Tool,Current BOM,当前BOM apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,添加序列号 +DocType: Production Order Item,Available Qty at Source Warehouse,源仓库可用数量 apps/erpnext/erpnext/config/support.py +22,Warranty,质量保证 DocType: Purchase Invoice,Debit Note Issued,借记发行说明 DocType: Production Order,Warehouses,仓库 @@ -3996,13 +4013,13 @@ apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,已支付的 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,项目经理 ,Quoted Item Comparison,项目报价比较 apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,调度 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,品目{0}的最大折扣为 {1}% +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 +279,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 +879,Select Items to Manufacture,选择项目,以制造 -apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1024,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间 DocType: Item,Material Issue,发料 DocType: Hub Settings,Seller Description,卖家描述 DocType: Employee Education,Qualification,学历 @@ -4026,7 +4043,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 +200,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +198,Cannot cancel because submitted Stock Entry {0} exists,不能取消,因为提交的仓储记录{0}已经存在 DocType: Employee Loan,Disbursement Date,支付日期 DocType: Vehicle,Vehicle,车辆 DocType: Purchase Invoice,In Words,大写金额 @@ -4047,7 +4064,7 @@ apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction n apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",要设置这个财政年度为默认值,点击“设为默认” apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,加入 apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,短缺数量 -apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,项目变体{0}存在具有相同属性 +apps/erpnext/erpnext/stock/doctype/item/item.py +648,Item variant {0} exists with same attributes,项目变体{0}存在具有相同属性 DocType: Employee Loan,Repay from Salary,从工资偿还 DocType: Leave Application,LAP/,LAP / apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},请求对付款{0} {1}量{2} @@ -4065,18 +4082,18 @@ 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 +1011,It is needed to fetch Item Details.,这是需要获取项目详细信息。 +apps/erpnext/erpnext/public/js/controllers/transaction.js +944,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 +213,Serial No {0} has already been received,序列号{0}已收到过 +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: Expense Claim,Vehicle Log,车辆登录 DocType: Purchase Invoice,Recurring Id,经常性ID DocType: Customer,Sales Team Details,销售团队详情 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,永久删除? +apps/erpnext/erpnext/accounts/page/pos/pos.js +1406,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 +235,Invalid {0},无效的{0} +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},无效的{0} apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,病假 DocType: Email Digest,Email Digest,邮件摘要 DocType: Delivery Note,Billing Address Name,帐单地址名称 @@ -4089,6 +4106,7 @@ apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document f DocType: Account,Chargeable,应课 DocType: Company,Change Abbreviation,更改缩写 DocType: Expense Claim Detail,Expense Date,报销日期 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品编号>商品组>品牌 DocType: Item,Max Discount (%),最大折扣(%) apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,最后订单金额 DocType: Task,Is Milestone,是里程碑 @@ -4112,8 +4130,8 @@ DocType: Program Enrollment Tool,New Program,新程序 DocType: Item Attribute Value,Attribute Value,属性值 ,Itemwise Recommended Reorder Level,项目特定的推荐重订购级别 DocType: Salary Detail,Salary Detail,薪酬详细 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,请选择{0}第一 -apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,一批项目的{0} {1}已过期。 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +989,Please select {0} first,请选择{0}第一 +apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +803,Batch {0} of Item {1} has expired.,一批项目的{0} {1}已过期。 DocType: Sales Invoice,Commission,佣金 apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,时间表制造。 apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小计 @@ -4138,12 +4156,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 +399,Operation Time must be greater than 0 for Operation {0},运行时间必须大于0的操作{0} +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/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 +387,Production Order cannot be raised against a Item Template,生产订单不能对一个项目提出的模板 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +382,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,开始日期 @@ -4173,7 +4191,7 @@ apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Curren DocType: Asset,Disposal Date,处置日期 DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",电子邮件将在指定的时间发送给公司的所有在职职工,如果他们没有假期。回复摘要将在午夜被发送。 DocType: Employee Leave Approver,Employee Leave Approver,雇员假期审批者 -apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一个重新排序条目已存在这个仓库{1} +apps/erpnext/erpnext/stock/doctype/item/item.py +493,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一个重新排序条目已存在这个仓库{1} apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",不能更改状态为丧失,因为已有报价。 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}必须提交 @@ -4207,6 +4225,7 @@ DocType: Announcement,Student,学生 apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,组织单位(部门)的主人。 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,请输入有效的手机号 apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,在发送前,请填写留言 +DocType: Sales Invoice,DUPLICATE FOR SUPPLIER,供应商重复 DocType: Email Digest,Pending Quotations,待语录 apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,简介销售点的 apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,请更新短信设置 @@ -4215,7 +4234,7 @@ DocType: Cost Center,Cost Center Name,成本中心名称 DocType: Employee,B+,B + DocType: HR Settings,Max working hours against Timesheet,最大工作时间针对时间表 DocType: Maintenance Schedule Detail,Scheduled Date,计划日期 -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,数金额金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Paid Amt,数金额金额 DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,大于160个字符的消息将被分割为多条消息 DocType: Purchase Receipt Item,Received and Accepted,收到并接受 ,GST Itemised Sales Register,消费税商品销售登记册 @@ -4225,7 +4244,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 +237,Your Suppliers,您的供应商 +apps/erpnext/erpnext/public/js/setup_wizard.js +263,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 +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',当类是“估值”或“Vaulation和总'不能扣除 @@ -4237,7 +4256,7 @@ apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {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 +157,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/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,网站图像{0}附加到物品{1}无法找到 +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.,在网站上的多个组中显示此品目 @@ -4252,7 +4271,7 @@ apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,贵公司的 apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,到仓库 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,所有学生入学 ,Average Commission Rate,平均佣金率 -apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,非库存项目不能勾选'是否有序列号' +apps/erpnext/erpnext/stock/doctype/item/item.py +405,'Has Serial No' can not be 'Yes' for non-stock item,非库存项目不能勾选'是否有序列号' apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,考勤不能标记为未来的日期 DocType: Pricing Rule,Pricing Rule Help,定价规则说明 DocType: School House,House Name,房名 @@ -4268,7 +4287,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 +339,Debit To account must be a Balance Sheet account,借记帐户必须是资产负债表科目 +apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +340,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,保险开始日期应小于保险终止日期 @@ -4283,20 +4302,20 @@ apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_vouc apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},员工的工资单{0}已为时间表创建{1} DocType: Vehicle Log,Odometer,里程表 DocType: Sales Order Item,Ordered Qty,订购数量 -apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,项目{0}无效 +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 +874,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,加油详情 apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,生成工资条 -apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",“适用于”为{0}时必须勾选“采购” +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",“适用于”为{0}时必须勾选“采购” apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,折扣必须小于100 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 +500,Default BOM for {0} not found,默认BOM {0}未找到 -apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量 +apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +495,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,招生计划 DocType: Landed Cost Voucher,Landed Cost Voucher,到岸成本凭证 @@ -4360,7 +4379,6 @@ DocType: Maintenance Visit,MV,MV apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,预计日期不能早于物料申请时间 DocType: Purchase Invoice Item,Stock Qty,库存数量 DocType: Purchase Invoice Item,Stock Qty,库存数量 -DocType: Production Order,Source Warehouse (for reserving Items),源数据仓库(用于保留项目) DocType: Employee Loan,Repayment Period in Months,在月还款期 apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,错误:没有有效的身份证? DocType: Naming Series,Update Series Number,更新序列号 @@ -4409,7 +4427,7 @@ DocType: Production Order,Planned End Date,计划的结束日期 apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,物件的存储位置。 DocType: Request for Quotation,Supplier Detail,供应商详细 apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},公式或条件错误:{0} -apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,已开票金额 +apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +16,Invoiced Amount,已开票金额 DocType: Attendance,Attendance,考勤 apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,库存产品 DocType: BOM,Materials,物料 @@ -4450,10 +4468,10 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit 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 +350,Setup a simple website for my organization,设置一个简单的网站为我的组织 +apps/erpnext/erpnext/public/js/setup_wizard.js +382,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 +650,Please specify Attribute Value for attribute {0},请指定属性值的属性{0} +apps/erpnext/erpnext/stock/doctype/item/item.py +643,Please specify Attribute Value for attribute {0},请指定属性值的属性{0} DocType: Item,Default Warehouse,默认仓库 apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},财政预算案不能对集团客户分配{0} apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,请输入父成本中心 @@ -4515,7 +4533,7 @@ 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 +1344,Select or add new customer,选择或添加新客户 +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/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,这是基于该员工的考勤 @@ -4523,6 +4541,7 @@ apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit DocType: Fiscal Year,Year Start Date,年度起始日期 DocType: Attendance,Employee Name,雇员姓名 DocType: Sales Invoice,Rounded Total (Company Currency),圆润的总计(公司货币) +apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统 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 +231,{0} {1} has been modified. Please refresh.,{0} {1}已被修改过,请刷新。 DocType: Leave Block List,Stop users from making Leave Applications on following days.,禁止用户在以下日期提交假期申请。 @@ -4545,7 +4564,7 @@ apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available, DocType: Quality Inspection Reading,Reading 3,阅读3 ,Hub,Hub DocType: GL Entry,Voucher Type,凭证类型 -apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,价格表未找到或禁用 +apps/erpnext/erpnext/accounts/page/pos/pos.js +1731,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 +4584,7 @@ DocType: POS Profile,Account for Change Amount,帐户涨跌额 apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:甲方/客户不与匹配{1} / {2} {3} {4} apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,请输入您的费用帐户 DocType: Account,Stock,库存 -apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,购买发票或日记帐分录 +apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1014,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,购买发票或日记帐分录 DocType: Employee,Current Address,当前地址 DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",如果品目为另一品目的变体,那么它的描述,图片,价格,税率等将从模板自动设置。你也可以手动设置。 DocType: Serial No,Purchase / Manufacture Details,采购/制造详细信息 @@ -4604,11 +4623,12 @@ DocType: Student,Home Address,家庭地址 apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,转让资产 DocType: POS Profile,POS Profile,POS简介 DocType: Training Event,Event Name,事件名称 -apps/erpnext/erpnext/config/schools.py +39,Admission,入场 +apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +10,Admission,入场 apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},招生{0} apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。 apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",项目{0}是一个模板,请选择它的一个变体 DocType: Asset,Asset Category,资产类别 +apps/erpnext/erpnext/public/js/setup_wizard.js +211,Purchaser,购买者 apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,净支付金额不能为负数 DocType: SMS Settings,Static Parameters,静态参数 DocType: Assessment Plan,Room,房间 @@ -4617,6 +4637,7 @@ DocType: Item,Item Tax,项目税项 apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,材料到供应商 apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,消费税发票 apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出现%不止一次 +apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客户>客户群>地区 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,流动负债 @@ -4688,6 +4709,7 @@ DocType: Leave Type,Is Carry Forward,是否顺延假期 apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,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} +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,未提交工资单 ,Stock Summary,库存摘要